-
Notifications
You must be signed in to change notification settings - Fork 45
refactor(builder): Change HathorManager.__init__ and change tests to use TestBuilder #559
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Merged
Merged
Changes from all commits
Commits
File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,22 @@ | ||
| # Copyright 2023 Hathor Labs | ||
| # | ||
| # Licensed under the Apache License, Version 2.0 (the "License"); | ||
| # you may not use this file except in compliance with the License. | ||
| # You may obtain a copy of the License at | ||
| # | ||
| # http://www.apache.org/licenses/LICENSE-2.0 | ||
| # | ||
| # Unless required by applicable law or agreed to in writing, software | ||
| # distributed under the License is distributed on an "AS IS" BASIS, | ||
| # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. | ||
| # See the License for the specific language governing permissions and | ||
| # limitations under the License. | ||
|
|
||
| from hathor.builder.builder import BuildArtifacts, Builder | ||
| from hathor.builder.cli_builder import CliBuilder | ||
|
|
||
| __all__ = [ | ||
| 'BuildArtifacts', | ||
| 'Builder', | ||
| 'CliBuilder', | ||
| ] |
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,346 @@ | ||
| # Copyright 2021 Hathor Labs | ||
| # | ||
| # Licensed under the Apache License, Version 2.0 (the "License"); | ||
| # you may not use this file except in compliance with the License. | ||
| # You may obtain a copy of the License at | ||
| # | ||
| # http://www.apache.org/licenses/LICENSE-2.0 | ||
| # | ||
| # Unless required by applicable law or agreed to in writing, software | ||
| # distributed under the License is distributed on an "AS IS" BASIS, | ||
| # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. | ||
| # See the License for the specific language governing permissions and | ||
| # limitations under the License. | ||
|
|
||
| from enum import Enum | ||
| from typing import Any, Dict, List, NamedTuple, Optional | ||
|
|
||
| from structlog import get_logger | ||
|
|
||
| from hathor.checkpoint import Checkpoint | ||
| from hathor.conf import HathorSettings | ||
| from hathor.conf.settings import HathorSettings as HathorSettingsType | ||
| from hathor.consensus import ConsensusAlgorithm | ||
| from hathor.event import EventManager | ||
| from hathor.indexes import IndexesManager | ||
| from hathor.manager import HathorManager | ||
| from hathor.p2p.peer_id import PeerId | ||
| from hathor.pubsub import PubSubManager | ||
| from hathor.storage import RocksDBStorage | ||
| from hathor.transaction.storage import TransactionMemoryStorage, TransactionRocksDBStorage, TransactionStorage | ||
| from hathor.util import Random, Reactor, get_environment_info | ||
| from hathor.wallet import BaseWallet, Wallet | ||
|
|
||
| logger = get_logger() | ||
|
|
||
|
|
||
| class StorageType(Enum): | ||
| MEMORY = 'memory' | ||
| ROCKSDB = 'rocksdb' | ||
|
|
||
|
|
||
| class BuildArtifacts(NamedTuple): | ||
| """Artifacts created by a builder.""" | ||
| settings: HathorSettingsType | ||
| rng: Random | ||
| reactor: Reactor | ||
| manager: HathorManager | ||
| pubsub: PubSubManager | ||
| consensus: ConsensusAlgorithm | ||
| tx_storage: TransactionStorage | ||
| indexes: Optional[IndexesManager] | ||
| wallet: Optional[BaseWallet] | ||
| rocksdb_storage: Optional[RocksDBStorage] | ||
|
|
||
|
|
||
| class Builder: | ||
| """Builder builds the core objects to run a full node. | ||
|
|
||
| Example: | ||
|
|
||
| builder = Builder() | ||
| builder.use_memory() | ||
| artifacts = builder.build() | ||
| """ | ||
| def __init__(self) -> None: | ||
| self.log = logger.new() | ||
| self.artifacts: Optional[BuildArtifacts] = None | ||
|
|
||
| self._settings: HathorSettingsType = HathorSettings() | ||
| self._rng: Random = Random() | ||
| self._checkpoints: Optional[List[Checkpoint]] = None | ||
| self._capabilities: Optional[List[str]] = None | ||
|
|
||
| self._peer_id: Optional[PeerId] = None | ||
| self._network: Optional[str] = None | ||
| self._cmdline: str = '' | ||
|
|
||
| self._storage_type: Optional[StorageType] = None | ||
| self._force_memory_index: bool = False | ||
|
|
||
| self._event_manager: Optional[EventManager] = None | ||
|
|
||
| self._rocksdb_path: Optional[str] = None | ||
| self._rocksdb_storage: Optional[RocksDBStorage] = None | ||
|
|
||
| self._tx_storage: Optional[TransactionStorage] = None | ||
|
|
||
| self._reactor: Optional[Reactor] = None | ||
| self._pubsub: Optional[PubSubManager] = None | ||
|
|
||
| self._wallet: Optional[BaseWallet] = None | ||
| self._wallet_directory: Optional[str] = None | ||
| self._wallet_unlock: Optional[bytes] = None | ||
|
|
||
| self._enable_address_index: bool = False | ||
| self._enable_tokens_index: bool = False | ||
| self._enable_utxo_index: bool = False | ||
|
|
||
| self._enable_sync_v1: Optional[bool] = None | ||
| self._enable_sync_v2: Optional[bool] = None | ||
|
|
||
| self._stratum_port: Optional[int] = None | ||
|
|
||
| def build(self) -> BuildArtifacts: | ||
| if self.artifacts is not None: | ||
| raise ValueError('cannot call build twice') | ||
|
|
||
| settings = self._get_settings() | ||
| reactor = self._get_reactor() | ||
| pubsub = self._get_or_create_pubsub() | ||
|
|
||
| peer_id = self._get_peer_id() | ||
|
|
||
| soft_voided_tx_ids = set(settings.SOFT_VOIDED_TX_IDS) | ||
| consensus_algorithm = ConsensusAlgorithm(soft_voided_tx_ids, pubsub) | ||
|
|
||
| wallet = self._get_or_create_wallet() | ||
| tx_storage = self._get_or_create_tx_storage() | ||
| indexes = tx_storage.indexes | ||
| assert indexes is not None | ||
|
|
||
| if self._enable_address_index: | ||
| indexes.enable_address_index(pubsub) | ||
|
|
||
| if self._enable_tokens_index: | ||
| indexes.enable_tokens_index() | ||
|
|
||
| if self._enable_utxo_index: | ||
| indexes.enable_utxo_index() | ||
|
|
||
| kwargs: Dict[str, Any] = {} | ||
|
|
||
| if self._enable_sync_v1 is not None: | ||
| kwargs['enable_sync_v1'] = self._enable_sync_v1 | ||
|
|
||
| if self._enable_sync_v2 is not None: | ||
| kwargs['enable_sync_v2'] = self._enable_sync_v2 | ||
|
|
||
| if self._stratum_port is not None: | ||
| kwargs['stratum_port'] = self._stratum_port | ||
|
|
||
| if self._network is None: | ||
| raise TypeError('you must set a network') | ||
|
|
||
| if self._event_manager is not None: | ||
| kwargs['event_manager'] = self._event_manager | ||
|
|
||
| manager = HathorManager( | ||
| reactor, | ||
| pubsub=pubsub, | ||
| consensus_algorithm=consensus_algorithm, | ||
| peer_id=peer_id, | ||
| tx_storage=tx_storage, | ||
| network=self._network, | ||
| wallet=wallet, | ||
| rng=self._rng, | ||
| checkpoints=self._checkpoints, | ||
| capabilities=self._capabilities, | ||
| environment_info=get_environment_info(self._cmdline, peer_id.id), | ||
| **kwargs | ||
| ) | ||
|
|
||
| self.artifacts = BuildArtifacts( | ||
| settings=settings, | ||
| rng=self._rng, | ||
| reactor=reactor, | ||
| manager=manager, | ||
| pubsub=pubsub, | ||
| consensus=consensus_algorithm, | ||
| tx_storage=tx_storage, | ||
| indexes=indexes, | ||
| wallet=wallet, | ||
| rocksdb_storage=self._rocksdb_storage, | ||
| ) | ||
|
|
||
| return self.artifacts | ||
|
|
||
| def check_if_can_modify(self) -> None: | ||
| if self.artifacts is not None: | ||
| raise ValueError('cannot modify after build() is called') | ||
|
|
||
| def set_event_manager(self, event_manager: EventManager) -> 'Builder': | ||
| self.check_if_can_modify() | ||
| self._event_manager = event_manager | ||
| return self | ||
|
|
||
| def set_rng(self, rng: Random) -> 'Builder': | ||
| self.check_if_can_modify() | ||
| self._rng = rng | ||
| return self | ||
|
|
||
| def set_checkpoints(self, checkpoints: List[Checkpoint]) -> 'Builder': | ||
| self.check_if_can_modify() | ||
| self._checkpoints = checkpoints | ||
| return self | ||
|
|
||
| def set_capabilities(self, capabilities: List[str]) -> 'Builder': | ||
| self.check_if_can_modify() | ||
| self._capabilities = capabilities | ||
| return self | ||
|
|
||
| def set_peer_id(self, peer_id: PeerId) -> 'Builder': | ||
| self.check_if_can_modify() | ||
| self._peer_id = peer_id | ||
| return self | ||
|
|
||
| def _get_settings(self) -> HathorSettingsType: | ||
| return self._settings | ||
|
|
||
| def _get_reactor(self) -> Reactor: | ||
| if self._reactor is not None: | ||
| return self._reactor | ||
| raise ValueError('reactor not set') | ||
|
|
||
| def _get_peer_id(self) -> PeerId: | ||
| if self._peer_id is not None: | ||
| return self._peer_id | ||
| raise ValueError('peer_id not set') | ||
|
|
||
| def _get_or_create_pubsub(self) -> PubSubManager: | ||
| if self._pubsub is None: | ||
| self._pubsub = PubSubManager(self._get_reactor()) | ||
| return self._pubsub | ||
|
|
||
| def _get_or_create_rocksdb_storage(self) -> RocksDBStorage: | ||
| assert self._rocksdb_path is not None | ||
| if self._rocksdb_storage is None: | ||
| self._rocksdb_storage = RocksDBStorage(path=self._rocksdb_path) | ||
| return self._rocksdb_storage | ||
|
|
||
| def _get_or_create_tx_storage(self) -> TransactionStorage: | ||
| if self._tx_storage is not None: | ||
| return self._tx_storage | ||
| if self._storage_type == StorageType.MEMORY: | ||
| return TransactionMemoryStorage() | ||
| elif self._storage_type == StorageType.ROCKSDB: | ||
| rocksdb_storage = self._get_or_create_rocksdb_storage() | ||
| use_memory_index = self._force_memory_index | ||
| return TransactionRocksDBStorage(rocksdb_storage, use_memory_indexes=use_memory_index) | ||
| raise NotImplementedError | ||
|
|
||
| def use_memory(self) -> 'Builder': | ||
| self.check_if_can_modify() | ||
| self._storage_type = StorageType.MEMORY | ||
| return self | ||
|
|
||
| def use_rocksdb(self, path: str) -> 'Builder': | ||
| self.check_if_can_modify() | ||
| self._storage_type = StorageType.ROCKSDB | ||
| self._rocksdb_path = path | ||
| return self | ||
|
|
||
| def force_memory_index(self) -> 'Builder': | ||
| self.check_if_can_modify() | ||
| self._force_memory_index = True | ||
| return self | ||
|
|
||
| def _get_or_create_wallet(self) -> Optional[BaseWallet]: | ||
| if self._wallet is not None: | ||
| assert self._wallet_directory is None | ||
| assert self._wallet_unlock is None | ||
| return self._wallet | ||
|
|
||
| if self._wallet_directory is None: | ||
| return None | ||
| wallet = Wallet(directory=self._wallet_directory) | ||
| if self._wallet_unlock is not None: | ||
| wallet.unlock(self._wallet_unlock) | ||
| return wallet | ||
|
|
||
| def set_wallet(self, wallet: BaseWallet) -> 'Builder': | ||
| self.check_if_can_modify() | ||
| self._wallet = wallet | ||
| return self | ||
|
|
||
| def enable_keypair_wallet(self, directory: str, *, unlock: Optional[bytes] = None) -> 'Builder': | ||
| self.check_if_can_modify() | ||
| self._wallet_directory = directory | ||
| self._wallet_unlock = unlock | ||
| return self | ||
|
|
||
| def enable_stratum_server(self, port: int) -> 'Builder': | ||
| self.check_if_can_modify() | ||
| self._stratum_port = port | ||
| return self | ||
|
|
||
| def enable_address_index(self) -> 'Builder': | ||
| self.check_if_can_modify() | ||
| self._enable_address_index = True | ||
| return self | ||
|
|
||
| def enable_tokens_index(self) -> 'Builder': | ||
| self.check_if_can_modify() | ||
| self._enable_tokens_index = True | ||
| return self | ||
|
|
||
| def enable_utxo_index(self) -> 'Builder': | ||
| self.check_if_can_modify() | ||
| self._enable_utxo_index = True | ||
| return self | ||
|
|
||
| def enable_wallet_index(self) -> 'Builder': | ||
| self.check_if_can_modify() | ||
| self.enable_address_index() | ||
| self.enable_tokens_index() | ||
| return self | ||
|
|
||
| def set_tx_storage(self, tx_storage: TransactionStorage) -> 'Builder': | ||
| self.check_if_can_modify() | ||
| self._tx_storage = tx_storage | ||
| return self | ||
|
|
||
| def set_reactor(self, reactor: Reactor) -> 'Builder': | ||
| self.check_if_can_modify() | ||
| self._reactor = reactor | ||
| return self | ||
|
|
||
| def set_pubsub(self, pubsub: PubSubManager) -> 'Builder': | ||
| self.check_if_can_modify() | ||
| self._pubsub = pubsub | ||
| return self | ||
|
|
||
| def set_network(self, network: str) -> 'Builder': | ||
| self.check_if_can_modify() | ||
| self._network = network | ||
| return self | ||
|
|
||
| def enable_sync_v1(self) -> 'Builder': | ||
| self.check_if_can_modify() | ||
| self._enable_sync_v1 = True | ||
| return self | ||
|
|
||
| def disable_sync_v1(self) -> 'Builder': | ||
| self.check_if_can_modify() | ||
| self._enable_sync_v1 = False | ||
| return self | ||
|
|
||
| def enable_sync_v2(self) -> 'Builder': | ||
| self.check_if_can_modify() | ||
| self._enable_sync_v2 = True | ||
| return self | ||
|
|
||
| def disable_sync_v2(self) -> 'Builder': | ||
| self.check_if_can_modify() | ||
| self._enable_sync_v2 = False | ||
| return self |
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
Uh oh!
There was an error while loading. Please reload this page.