Skip to content

Commit ffa3f1e

Browse files
Merge pull request #2731 from opentensor/feat/zyzniewski/set_delegate_take
Feat: set_delegate_take
2 parents 2300a52 + a141c49 commit ffa3f1e

13 files changed

+655
-129
lines changed

bittensor/core/async_subtensor.py

+93-8
Original file line numberDiff line numberDiff line change
@@ -31,7 +31,7 @@
3131
from bittensor.core.chain_data.delegate_info import DelegatedInfo
3232
from bittensor.core.chain_data.utils import decode_metadata
3333
from bittensor.core.config import Config
34-
from bittensor.core.errors import SubstrateRequestException
34+
from bittensor.core.errors import ChainError, SubstrateRequestException
3535
from bittensor.core.extrinsics.asyncex.commit_reveal import commit_reveal_v3_extrinsic
3636
from bittensor.core.extrinsics.asyncex.registration import (
3737
burned_register_extrinsic,
@@ -57,6 +57,10 @@
5757
add_stake_extrinsic,
5858
add_stake_multiple_extrinsic,
5959
)
60+
from bittensor.core.extrinsics.asyncex.take import (
61+
decrease_take_extrinsic,
62+
increase_take_extrinsic,
63+
)
6064
from bittensor.core.extrinsics.asyncex.transfer import transfer_extrinsic
6165
from bittensor.core.extrinsics.asyncex.unstaking import (
6266
unstake_extrinsic,
@@ -1111,7 +1115,7 @@ async def get_delegate_take(
11111115
block: Optional[int] = None,
11121116
block_hash: Optional[str] = None,
11131117
reuse_block: bool = False,
1114-
) -> Optional[float]:
1118+
) -> float:
11151119
"""
11161120
Retrieves the delegate 'take' percentage for a neuron identified by its hotkey. The 'take' represents the
11171121
percentage of rewards that the delegate claims from its nominators' stakes.
@@ -1123,7 +1127,7 @@ async def get_delegate_take(
11231127
reuse_block (bool): Whether to reuse the last-used block hash.
11241128
11251129
Returns:
1126-
Optional[float]: The delegate take percentage, None if not available.
1130+
float: The delegate take percentage.
11271131
11281132
The delegate take is a critical parameter in the network's incentive structure, influencing the distribution of
11291133
rewards among neurons and their nominators.
@@ -1135,11 +1139,8 @@ async def get_delegate_take(
11351139
reuse_block=reuse_block,
11361140
params=[hotkey_ss58],
11371141
)
1138-
return (
1139-
None
1140-
if result is None
1141-
else u16_normalized_float(getattr(result, "value", 0))
1142-
)
1142+
1143+
return u16_normalized_float(result.value) # type: ignore
11431144

11441145
async def get_delegated(
11451146
self,
@@ -2748,6 +2749,7 @@ async def sign_and_send_extrinsic(
27482749
use_nonce: bool = False,
27492750
period: Optional[int] = None,
27502751
nonce_key: str = "hotkey",
2752+
raise_error: bool = False,
27512753
) -> tuple[bool, str]:
27522754
"""
27532755
Helper method to sign and submit an extrinsic call to chain.
@@ -2758,6 +2760,7 @@ async def sign_and_send_extrinsic(
27582760
wait_for_inclusion (bool): whether to wait until the extrinsic call is included on the chain
27592761
wait_for_finalization (bool): whether to wait until the extrinsic call is finalized on the chain
27602762
sign_with: the wallet's keypair to use for the signing. Options are "coldkey", "hotkey", "coldkeypub"
2763+
raise_error: raises relevant exception rather than returning `False` if unsuccessful.
27612764
27622765
Returns:
27632766
(success, error message)
@@ -2795,9 +2798,15 @@ async def sign_and_send_extrinsic(
27952798
if await response.is_success:
27962799
return True, ""
27972800

2801+
if raise_error:
2802+
raise ChainError.from_error(response.error_message)
2803+
27982804
return False, format_error_message(await response.error_message)
27992805

28002806
except SubstrateRequestException as e:
2807+
if raise_error:
2808+
raise
2809+
28012810
return False, format_error_message(e)
28022811

28032812
# Extrinsics =======================================================================================================
@@ -3260,6 +3269,82 @@ async def root_set_weights(
32603269
wait_for_inclusion=wait_for_inclusion,
32613270
)
32623271

3272+
async def set_delegate_take(
3273+
self,
3274+
wallet: "Wallet",
3275+
hotkey_ss58: str,
3276+
take: float,
3277+
wait_for_inclusion: bool = True,
3278+
wait_for_finalization: bool = True,
3279+
raise_error: bool = False,
3280+
) -> tuple[bool, str]:
3281+
"""
3282+
Sets the delegate 'take' percentage for a neuron identified by its hotkey.
3283+
The 'take' represents the percentage of rewards that the delegate claims from its nominators' stakes.
3284+
3285+
Arguments:
3286+
wallet (bittensor_wallet.Wallet): bittensor wallet instance.
3287+
hotkey_ss58 (str): The ``SS58`` address of the neuron's hotkey.
3288+
take (float): Percentage reward for the delegate.
3289+
wait_for_inclusion (bool): Waits for the transaction to be included in a block.
3290+
wait_for_finalization (bool): Waits for the transaction to be finalized on the blockchain.
3291+
raise_error: Raises relevant exception rather than returning `False` if unsuccessful.
3292+
3293+
Returns:
3294+
tuple[bool, str]: A tuple where the first element is a boolean indicating success or failure of the
3295+
operation, and the second element is a message providing additional information.
3296+
3297+
Raises:
3298+
DelegateTakeTooHigh: Delegate take is too high.
3299+
DelegateTakeTooLow: Delegate take is too low.
3300+
DelegateTxRateLimitExceeded: A transactor exceeded the rate limit for delegate transaction.
3301+
HotKeyAccountNotExists: The hotkey does not exists.
3302+
NonAssociatedColdKey: Request to stake, unstake or subscribe is made by a coldkey that is not associated with the hotkey account.
3303+
bittensor_wallet.errors.PasswordError: Decryption failed or wrong password for decryption provided.
3304+
bittensor_wallet.errors.KeyFileError: Failed to decode keyfile data.
3305+
3306+
The delegate take is a critical parameter in the network's incentive structure, influencing the distribution of
3307+
rewards among neurons and their nominators.
3308+
"""
3309+
3310+
# u16 representation of the take
3311+
take_u16 = int(take * 0xFFFF)
3312+
3313+
current_take = await self.get_delegate_take(hotkey_ss58)
3314+
current_take_u16 = int(current_take * 0xFFFF)
3315+
3316+
if current_take_u16 == take_u16:
3317+
logging.info(":white_heavy_check_mark: [green]Already Set[/green]")
3318+
return True, ""
3319+
3320+
logging.info(f"Updating {hotkey_ss58} take: current={current_take} new={take}")
3321+
3322+
if current_take_u16 < take_u16:
3323+
success, error = await increase_take_extrinsic(
3324+
self,
3325+
wallet,
3326+
hotkey_ss58,
3327+
take_u16,
3328+
wait_for_finalization=wait_for_finalization,
3329+
wait_for_inclusion=wait_for_inclusion,
3330+
raise_error=raise_error,
3331+
)
3332+
else:
3333+
success, error = await decrease_take_extrinsic(
3334+
self,
3335+
wallet,
3336+
hotkey_ss58,
3337+
take_u16,
3338+
wait_for_finalization=wait_for_finalization,
3339+
wait_for_inclusion=wait_for_inclusion,
3340+
raise_error=raise_error,
3341+
)
3342+
3343+
if success:
3344+
logging.info(":white_heavy_check_mark: [green]Take Updated[/green]")
3345+
3346+
return success, error
3347+
32633348
async def set_subnet_identity(
32643349
self,
32653350
wallet: "Wallet",

bittensor/core/errors.py

+57-1
Original file line numberDiff line numberDiff line change
@@ -17,6 +17,21 @@
1717
ExtrinsicNotFound = ExtrinsicNotFound
1818

1919

20+
class _ChainErrorMeta(type):
21+
_exceptions: dict[str, Exception] = {}
22+
23+
def __new__(mcs, name, bases, attrs):
24+
cls = super().__new__(mcs, name, bases, attrs)
25+
26+
mcs._exceptions.setdefault(cls.__name__, cls)
27+
28+
return cls
29+
30+
@classmethod
31+
def get_exception_class(mcs, exception_name):
32+
return mcs._exceptions[exception_name]
33+
34+
2035
class MaxSuccessException(Exception):
2136
"""Raised when the POW Solver has reached the max number of successful solutions."""
2237

@@ -25,9 +40,20 @@ class MaxAttemptsException(Exception):
2540
"""Raised when the POW Solver has reached the max number of attempts."""
2641

2742

28-
class ChainError(SubstrateRequestException):
43+
class ChainError(SubstrateRequestException, metaclass=_ChainErrorMeta):
2944
"""Base error for any chain related errors."""
3045

46+
@classmethod
47+
def from_error(cls, error):
48+
try:
49+
error_cls = _ChainErrorMeta.get_exception_class(
50+
error["name"],
51+
)
52+
except KeyError:
53+
return cls(error)
54+
else:
55+
return error_cls(" ".join(error["docs"]))
56+
3157

3258
class ChainConnectionError(ChainError):
3359
"""Error for any chain connection related errors."""
@@ -41,6 +67,36 @@ class ChainQueryError(ChainError):
4167
"""Error for any chain query related errors."""
4268

4369

70+
class DelegateTakeTooHigh(ChainTransactionError):
71+
"""
72+
Delegate take is too high.
73+
"""
74+
75+
76+
class DelegateTakeTooLow(ChainTransactionError):
77+
"""
78+
Delegate take is too low.
79+
"""
80+
81+
82+
class DelegateTxRateLimitExceeded(ChainTransactionError):
83+
"""
84+
A transactor exceeded the rate limit for delegate transaction.
85+
"""
86+
87+
88+
class HotKeyAccountNotExists(ChainTransactionError):
89+
"""
90+
The hotkey does not exist.
91+
"""
92+
93+
94+
class NonAssociatedColdKey(ChainTransactionError):
95+
"""
96+
Request to stake, unstake or subscribe is made by a coldkey that is not associated with the hotkey account.
97+
"""
98+
99+
44100
class StakeError(ChainTransactionError):
45101
"""Error raised when a stake transaction fails."""
46102

+72
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,72 @@
1+
from typing import TYPE_CHECKING
2+
3+
from bittensor_wallet.bittensor_wallet import Wallet
4+
5+
from bittensor.utils import unlock_key
6+
7+
if TYPE_CHECKING:
8+
from bittensor.core.async_subtensor import AsyncSubtensor
9+
10+
11+
async def increase_take_extrinsic(
12+
subtensor: "AsyncSubtensor",
13+
wallet: Wallet,
14+
hotkey_ss58: str,
15+
take: int,
16+
wait_for_inclusion: bool = True,
17+
wait_for_finalization: bool = True,
18+
raise_error: bool = False,
19+
) -> tuple[bool, str]:
20+
unlock = unlock_key(wallet, raise_error=raise_error)
21+
22+
if not unlock.success:
23+
return False, unlock.message
24+
25+
call = await subtensor.substrate.compose_call(
26+
call_module="SubtensorModule",
27+
call_function="increase_take",
28+
call_params={
29+
"hotkey": hotkey_ss58,
30+
"take": take,
31+
},
32+
)
33+
34+
return await subtensor.sign_and_send_extrinsic(
35+
call,
36+
wallet,
37+
wait_for_inclusion=wait_for_inclusion,
38+
wait_for_finalization=wait_for_finalization,
39+
raise_error=raise_error,
40+
)
41+
42+
43+
async def decrease_take_extrinsic(
44+
subtensor: "AsyncSubtensor",
45+
wallet: Wallet,
46+
hotkey_ss58: str,
47+
take: int,
48+
wait_for_inclusion: bool = True,
49+
wait_for_finalization: bool = True,
50+
raise_error: bool = False,
51+
) -> tuple[bool, str]:
52+
unlock = unlock_key(wallet, raise_error=raise_error)
53+
54+
if not unlock.success:
55+
return False, unlock.message
56+
57+
call = await subtensor.substrate.compose_call(
58+
call_module="SubtensorModule",
59+
call_function="decrease_take",
60+
call_params={
61+
"hotkey": hotkey_ss58,
62+
"take": take,
63+
},
64+
)
65+
66+
return await subtensor.sign_and_send_extrinsic(
67+
call,
68+
wallet,
69+
wait_for_inclusion=wait_for_inclusion,
70+
wait_for_finalization=wait_for_finalization,
71+
raise_error=raise_error,
72+
)

bittensor/core/extrinsics/take.py

+72
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,72 @@
1+
from typing import TYPE_CHECKING
2+
3+
from bittensor_wallet.bittensor_wallet import Wallet
4+
5+
from bittensor.utils import unlock_key
6+
7+
if TYPE_CHECKING:
8+
from bittensor.core.subtensor import Subtensor
9+
10+
11+
def increase_take_extrinsic(
12+
subtensor: "Subtensor",
13+
wallet: Wallet,
14+
hotkey_ss58: str,
15+
take: int,
16+
wait_for_inclusion: bool = True,
17+
wait_for_finalization: bool = True,
18+
raise_error: bool = False,
19+
) -> tuple[bool, str]:
20+
unlock = unlock_key(wallet, raise_error=raise_error)
21+
22+
if not unlock.success:
23+
return False, unlock.message
24+
25+
call = subtensor.substrate.compose_call(
26+
call_module="SubtensorModule",
27+
call_function="increase_take",
28+
call_params={
29+
"hotkey": hotkey_ss58,
30+
"take": take,
31+
},
32+
)
33+
34+
return subtensor.sign_and_send_extrinsic(
35+
call,
36+
wallet,
37+
wait_for_inclusion=wait_for_inclusion,
38+
wait_for_finalization=wait_for_finalization,
39+
raise_error=raise_error,
40+
)
41+
42+
43+
def decrease_take_extrinsic(
44+
subtensor: "Subtensor",
45+
wallet: Wallet,
46+
hotkey_ss58: str,
47+
take: int,
48+
wait_for_inclusion: bool = True,
49+
wait_for_finalization: bool = True,
50+
raise_error: bool = False,
51+
) -> tuple[bool, str]:
52+
unlock = unlock_key(wallet, raise_error=raise_error)
53+
54+
if not unlock.success:
55+
return False, unlock.message
56+
57+
call = subtensor.substrate.compose_call(
58+
call_module="SubtensorModule",
59+
call_function="decrease_take",
60+
call_params={
61+
"hotkey": hotkey_ss58,
62+
"take": take,
63+
},
64+
)
65+
66+
return subtensor.sign_and_send_extrinsic(
67+
call,
68+
wallet,
69+
wait_for_inclusion=wait_for_inclusion,
70+
wait_for_finalization=wait_for_finalization,
71+
raise_error=raise_error,
72+
)

0 commit comments

Comments
 (0)