Source code for scalecodec.utils.ss58

# Python SCALE Codec Library
#
# Copyright 2018-2021 Stichting Polkascan (Polkascan Foundation).
#
# 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.
#
#  ss58.py

""" SS58 is a simple address format designed for Substrate based chains.
    Encoding/decoding according to specification on
    https://github.com/paritytech/substrate/wiki/External-Address-Format-(SS58)

"""
from typing import Optional, Union

import base58
from hashlib import blake2b

from scalecodec.base import ScaleBytes, RuntimeConfiguration


[docs] def ss58_decode(address: str, valid_ss58_format: Optional[int] = None) -> str: """ Decodes given SS58 encoded address to an account ID Parameters ---------- address: e.g. EaG2CRhJWPb7qmdcJvy3LiWdh26Jreu9Dx6R1rXxPmYXoDk valid_ss58_format Returns ------- Decoded string AccountId """ # Check if address is already decoded if address.startswith('0x'): return address if address == '': raise ValueError("Empty address provided") checksum_prefix = b'SS58PRE' address_decoded = base58.b58decode(address) if address_decoded[0] & 0b0100_0000: ss58_format_length = 2 ss58_format = ((address_decoded[0] & 0b0011_1111) << 2) | (address_decoded[1] >> 6) | \ ((address_decoded[1] & 0b0011_1111) << 8) else: ss58_format_length = 1 ss58_format = address_decoded[0] if ss58_format in [46, 47]: raise ValueError(f"{ss58_format} is a reserved SS58 format") if valid_ss58_format is not None and ss58_format != valid_ss58_format: raise ValueError("Invalid SS58 format") # Determine checksum length according to length of address string if len(address_decoded) in [3, 4, 6, 10]: checksum_length = 1 elif len(address_decoded) in [5, 7, 11, 34 + ss58_format_length, 35 + ss58_format_length]: checksum_length = 2 elif len(address_decoded) in [8, 12]: checksum_length = 3 elif len(address_decoded) in [9, 13]: checksum_length = 4 elif len(address_decoded) in [14]: checksum_length = 5 elif len(address_decoded) in [15]: checksum_length = 6 elif len(address_decoded) in [16]: checksum_length = 7 elif len(address_decoded) in [17]: checksum_length = 8 else: raise ValueError("Invalid address length") checksum = blake2b(checksum_prefix + address_decoded[0:-checksum_length]).digest() if checksum[0:checksum_length] != address_decoded[-checksum_length:]: raise ValueError("Invalid checksum") return address_decoded[ss58_format_length:len(address_decoded)-checksum_length].hex()
def ss58_encode(address: Union[str, bytes], ss58_format: int = 42) -> str: """ Encodes an account ID to an Substrate address according to provided address_type Parameters ---------- address ss58_format Returns ------- str """ checksum_prefix = b'SS58PRE' if ss58_format < 0 or ss58_format > 16383 or ss58_format in [46, 47]: raise ValueError("Invalid value for ss58_format") if type(address) is bytes or type(address) is bytearray: address_bytes = address else: address_bytes = bytes.fromhex(address.replace('0x', '')) if len(address_bytes) in [32, 33]: # Checksum size is 2 bytes for public key checksum_length = 2 elif len(address_bytes) in [1, 2, 4, 8]: # Checksum size is 1 byte for account index checksum_length = 1 else: raise ValueError("Invalid length for address") if ss58_format < 64: ss58_format_bytes = bytes([ss58_format]) else: ss58_format_bytes = bytes([ ((ss58_format & 0b0000_0000_1111_1100) >> 2) | 0b0100_0000, (ss58_format >> 8) | ((ss58_format & 0b0000_0000_0000_0011) << 6) ]) input_bytes = ss58_format_bytes + address_bytes checksum = blake2b(checksum_prefix + input_bytes).digest() return base58.b58encode(input_bytes + checksum[:checksum_length]).decode() def ss58_encode_account_index(account_index: int, ss58_format: int = 42) -> str: """ Encodes an AccountIndex to an Substrate address according to provided address_type Parameters ---------- account_index ss58_format Returns ------- str """ if 0 <= account_index <= 2 ** 8 - 1: account_idx_encoder = RuntimeConfiguration().create_scale_object('u8') elif 2 ** 8 <= account_index <= 2 ** 16 - 1: account_idx_encoder = RuntimeConfiguration().create_scale_object('u16') elif 2 ** 16 <= account_index <= 2 ** 32 - 1: account_idx_encoder = RuntimeConfiguration().create_scale_object('u32') elif 2 ** 32 <= account_index <= 2 ** 64 - 1: account_idx_encoder = RuntimeConfiguration().create_scale_object('u64') else: raise ValueError("Value too large for an account index") return ss58_encode(account_idx_encoder.encode(account_index).data, ss58_format) def ss58_decode_account_index(address: str, valid_ss58_format: Optional[int] = None) -> int: """ Decodes given SS58 encoded address to an AccountIndex Parameters ---------- address valid_ss58_format Returns ------- Decoded int AccountIndex """ account_index_bytes = ss58_decode(address, valid_ss58_format) if len(account_index_bytes) == 2: return RuntimeConfiguration().create_scale_object( 'u8', data=ScaleBytes('0x{}'.format(account_index_bytes)) ).decode() if len(account_index_bytes) == 4: return RuntimeConfiguration().create_scale_object( 'u16', data=ScaleBytes('0x{}'.format(account_index_bytes)) ).decode() if len(account_index_bytes) == 8: return RuntimeConfiguration().create_scale_object( 'u32', data=ScaleBytes('0x{}'.format(account_index_bytes)) ).decode() if len(account_index_bytes) == 16: return RuntimeConfiguration().create_scale_object( 'u64', data=ScaleBytes('0x{}'.format(account_index_bytes)) ).decode() else: raise ValueError("Invalid account index length") def is_valid_ss58_address(value: str, valid_ss58_format: Optional[int] = None) -> bool: """ Checks if given value is a valid SS58 formatted address, optionally check if address is valid for specified ss58_format Parameters ---------- value: value to checked valid_ss58_format: if valid_ss58_format is provided the address must be valid for specified ss58_format (network) as well Returns ------- bool """ # Return False in case a public key is provided if value.startswith('0x'): return False try: ss58_decode(value, valid_ss58_format=valid_ss58_format) except ValueError: return False return True def get_ss58_format(ss58_address: str) -> int: """ Returns the SS58 format for given SS58 address Parameters ---------- ss58_address Returns ------- int """ address_decoded = base58.b58decode(ss58_address) if address_decoded[0] & 0b0100_0000: ss58_format = ((address_decoded[0] & 0b0011_1111) << 2) | (address_decoded[1] >> 6) | \ ((address_decoded[1] & 0b0011_1111) << 8) else: ss58_format = address_decoded[0] if ss58_format in [46, 47]: raise ValueError(f"{ss58_format} is a reserved SS58 format") return ss58_format