astreum 0.2.17__py3-none-any.whl → 0.2.18__py3-none-any.whl

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.

Potentially problematic release.


This version of astreum might be problematic. Click here for more details.

@@ -0,0 +1,91 @@
1
+ from __future__ import annotations
2
+
3
+ from typing import Optional, Callable
4
+
5
+ from .merkle import MerkleTree
6
+
7
+ _FIELD_ORDER = ["balance", "data", "nonce"]
8
+ _INT_FIELDS = {"balance", "nonce"}
9
+
10
+ def _int_to_min_bytes(i: int) -> bytes:
11
+ length = (i.bit_length() + 7) // 8 or 1
12
+ return i.to_bytes(length, "big")
13
+
14
+ class Account:
15
+ def __init__(
16
+ self,
17
+ body_hash: bytes,
18
+ *,
19
+ body_tree: Optional[MerkleTree] = None,
20
+ get_node_fn: Optional[Callable[[bytes], Optional[bytes]]] = None,
21
+ ) -> None:
22
+ self._body_hash = body_hash
23
+ self._body_tree = body_tree
24
+ self._balance: Optional[int] = None
25
+ self._data: Optional[bytes] = None
26
+ self._nonce: Optional[int] = None
27
+
28
+ if self._body_tree and get_node_fn:
29
+ self._body_tree._node_get = get_node_fn
30
+
31
+ @classmethod
32
+ def create(
33
+ cls,
34
+ balance: int,
35
+ data: bytes,
36
+ nonce: int,
37
+ ) -> Account:
38
+ """Build an Account body from explicit fields in alphabetical order."""
39
+ # prepare values dict
40
+ values = {"balance": balance, "data": data, "nonce": nonce}
41
+
42
+ # build leaves in alphabetical order
43
+ leaves: list[bytes] = []
44
+ for name in _FIELD_ORDER:
45
+ v = values[name]
46
+ if name in _INT_FIELDS:
47
+ leaves.append(_int_to_min_bytes(v)) # type: ignore[arg-type]
48
+ else:
49
+ leaves.append(v)
50
+
51
+ tree = MerkleTree.from_leaves(leaves)
52
+ return cls(tree.root_hash, body_tree=tree)
53
+
54
+ def body_hash(self) -> bytes:
55
+ """Return the Merkle root of the account body."""
56
+ return self._body_hash
57
+
58
+ def _require_tree(self) -> MerkleTree:
59
+ if not self._body_tree:
60
+ raise ValueError("Body tree unavailable for this Account")
61
+ return self._body_tree
62
+
63
+ def balance(self) -> int:
64
+ """Fetch & cache the `balance` field (leaf 0)."""
65
+ if self._balance is not None:
66
+ return self._balance
67
+ raw = self._require_tree().get(0)
68
+ if raw is None:
69
+ raise ValueError("Merkle leaf 0 (balance) missing")
70
+ self._balance = int.from_bytes(raw, "big")
71
+ return self._balance
72
+
73
+ def data(self) -> bytes:
74
+ """Fetch & cache the `data` field (leaf 1)."""
75
+ if self._data is not None:
76
+ return self._data
77
+ raw = self._require_tree().get(1)
78
+ if raw is None:
79
+ raise ValueError("Merkle leaf 1 (data) missing")
80
+ self._data = raw
81
+ return self._data
82
+
83
+ def nonce(self) -> int:
84
+ """Fetch & cache the `nonce` field (leaf 2)."""
85
+ if self._nonce is not None:
86
+ return self._nonce
87
+ raw = self._require_tree().get(2)
88
+ if raw is None:
89
+ raise ValueError("Merkle leaf 2 (nonce) missing")
90
+ self._nonce = int.from_bytes(raw, "big")
91
+ return self._nonce
@@ -1,78 +1,106 @@
1
- from ..format import encode, decode
1
+ from __future__ import annotations
2
+
3
+ from typing import Dict, List, Optional, Union, Any, Callable
4
+
5
+ from .merkle import MerkleTree
2
6
  from ..crypto import ed25519
3
- import blake3
7
+
8
+ _FIELD_ORDER: List[str] = [
9
+ "amount",
10
+ "balance",
11
+ "fee",
12
+ "nonce",
13
+ "recipient_pk",
14
+ "sender_pk",
15
+ ]
16
+
17
+ _INT_FIELDS = {"amount", "balance", "fee", "nonce"}
18
+
19
+ def _int_to_min_bytes(i: int) -> bytes:
20
+ length = (i.bit_length() + 7) // 8 or 1
21
+ return i.to_bytes(length, "big")
4
22
 
5
23
  class Transaction:
24
+ # init
6
25
  def __init__(
7
26
  self,
8
- sender_pk: bytes,
9
- recipient_pk: bytes,
27
+ tx_hash: bytes,
28
+ *,
29
+ tree: Optional[MerkleTree] = None,
30
+ get_node_fn: Optional[Callable[[bytes], Optional[bytes]]] = None,
31
+ ) -> None:
32
+ self._hash = tx_hash
33
+ self._tree = tree
34
+ self._field_cache: Dict[str, Union[int, bytes]] = {}
35
+
36
+ if self._tree and get_node_fn:
37
+ self._tree.set_external_node_fetcher(get_node_fn)
38
+
39
+ @classmethod
40
+ def create(
41
+ cls,
42
+ *,
10
43
  amount: int,
44
+ balance: int,
11
45
  fee: int,
12
46
  nonce: int,
13
- signature: bytes | None = None,
14
- ) -> None:
15
- self.sender_pk = sender_pk
16
- self.recipient_pk = recipient_pk
17
- self.amount = amount
18
- self.fee = fee
19
- self.nonce = nonce
20
- self.signature = signature
21
-
22
- if self.amount < 0 or self.fee < 0:
23
- raise ValueError("amount and fee must be non-negative")
24
-
25
- if self.fee % 2 != 0:
26
- raise ValueError("fee must be divisible by two")
27
-
28
- self.tx_body_hash: bytes = blake3.blake3(self._body_bytes()).digest()
29
-
30
- if self.signature is not None:
31
- self.tx_hash = blake3.blake3(self.tx_body_hash + self.signature).digest()
32
- else:
33
- self.tx_hash = None
34
-
35
- def sign(self, priv_key: ed25519.Ed25519PrivateKey) -> None:
36
- if self.signature is not None:
37
- raise ValueError("transaction already signed")
38
- sig = priv_key.sign(self.tx_body_hash)
39
- self.signature = sig
40
- self.tx_hash = blake3.blake3(self.tx_body_hash + sig).digest()
41
-
42
- def verify_signature(self) -> bool:
43
- if self.signature is None:
44
- return False
47
+ recipient_pk: bytes,
48
+ sender_pk: bytes,
49
+ ) -> "Transaction":
50
+ vals: Dict[str, Any] = locals().copy()
51
+ leaves = [
52
+ vals[name] if isinstance(vals[name], bytes) else _int_to_min_bytes(vals[name])
53
+ for name in _FIELD_ORDER
54
+ ]
55
+
56
+ tree = MerkleTree.from_leaves(leaves)
57
+ return cls(tx_hash=tree.root_hash, tree=tree)
58
+
59
+ @property
60
+ def hash(self) -> bytes:
61
+ return self._hash
62
+
63
+ def _require_tree(self) -> MerkleTree:
64
+ if not self._tree:
65
+ raise ValueError("Merkle tree unavailable for this Transaction")
66
+ return self._tree
67
+
68
+ def _field(self, idx: int, name: str) -> Union[int, bytes]:
69
+ if name in self._field_cache:
70
+ return self._field_cache[name]
71
+
72
+ raw = self._require_tree().get(idx)
73
+ if raw is None:
74
+ raise ValueError(f"Leaf {idx} (‘{name}’) missing from Merkle tree")
75
+
76
+ value = int.from_bytes(raw, "big") if name in _INT_FIELDS else raw
77
+ self._field_cache[name] = value
78
+ return value
79
+
80
+ def get_amount(self) -> int:
81
+ return self._field(0, "amount")
82
+
83
+ def get_balance(self) -> int:
84
+ return self._field(1, "balance")
85
+
86
+ def get_fee(self) -> int:
87
+ return self._field(2, "fee")
88
+
89
+ def get_nonce(self) -> int:
90
+ return self._field(3, "nonce")
91
+
92
+ def get_recipient_pk(self) -> bytes:
93
+ return self._field(4, "recipient_pk")
94
+
95
+ def get_sender_pk(self) -> bytes:
96
+ return self._field(5, "sender_pk")
97
+
98
+ def sign(self, priv: ed25519.Ed25519PrivateKey) -> bytes:
99
+ return priv.sign(self.hash)
100
+
101
+ def verify_signature(self, sig: bytes, sender_pk: bytes) -> bool:
45
102
  try:
46
- pub = ed25519.Ed25519PublicKey.from_public_bytes(self.sender_pk)
47
- pub.verify(self.signature, self.tx_body_hash)
103
+ ed25519.Ed25519PublicKey.from_public_bytes(sender_pk).verify(sig, self.hash)
48
104
  return True
49
105
  except Exception:
50
106
  return False
51
-
52
- def to_bytes(self) -> bytes:
53
- sig = self.signature or b""
54
- return encode([
55
- self.sender_pk,
56
- self.recipient_pk,
57
- self.amount,
58
- self.fee,
59
- self.nonce,
60
- sig,
61
- ])
62
-
63
- @classmethod
64
- def from_bytes(cls, blob: bytes) -> 'Transaction':
65
- sender, recipient, amount, fee, nonce, sig = decode(blob)
66
- return cls(sender, recipient, int(amount), int(fee), int(nonce), sig)
67
-
68
- def _body_bytes(self) -> bytes:
69
- return encode([
70
- self.sender_pk,
71
- self.recipient_pk,
72
- self.amount,
73
- self.fee,
74
- self.nonce,
75
- ])
76
-
77
- def __hash__(self) -> int:
78
- return int.from_bytes(self.tx_hash, 'big')
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.4
2
2
  Name: astreum
3
- Version: 0.2.17
3
+ Version: 0.2.18
4
4
  Summary: Python library to interact with the Astreum blockchain and its Lispeum virtual machine.
5
5
  Author-email: "Roy R. O. Okello" <roy@stelar.xyz>
6
6
  Project-URL: Homepage, https://github.com/astreum/lib
@@ -10,12 +10,13 @@ astreum/lispeum/__init__.py,sha256=K-NDzIjtIsXzC9X7lnYvlvIaVxjFcY7WNsgLIE3DH3U,5
10
10
  astreum/lispeum/parser.py,sha256=jQRzZYvBuSg8t_bxsbt1-WcHaR_LPveHNX7Qlxhaw-M,1165
11
11
  astreum/lispeum/tokenizer.py,sha256=J-I7MEd0r2ZoVqxvRPlu-Afe2ZdM0tKXXhf1R4SxYTo,1429
12
12
  astreum/models/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
13
+ astreum/models/account.py,sha256=sHujGSwtV13rvOGJ5LZXuMrJ4F9XUdvyuWKz-zJ9lkE,2986
13
14
  astreum/models/block.py,sha256=YIY3qLneFM7OooY29khLDEs3NIEA7y8VhlXitflkxTo,4564
14
15
  astreum/models/merkle.py,sha256=E850dITZmuQS2LmQt2yA_luy0a3QjHgSbL2ibQAmYJc,8627
15
16
  astreum/models/patricia.py,sha256=WtfwVufZazFTOjVDnSDI0I3ghetm3GBzAwqNQevOlJ8,12974
16
- astreum/models/transaction.py,sha256=ReCmLf9j1WLm2VUTtZh4cAVEyJodk17bVPp3t-UyNnI,2427
17
- astreum-0.2.17.dist-info/licenses/LICENSE,sha256=gYBvRDP-cPLmTyJhvZ346QkrYW_eleke4Z2Yyyu43eQ,1089
18
- astreum-0.2.17.dist-info/METADATA,sha256=7BooYG3o3YQyZ2Y0hOsAtD-5ykT5nvfWnT3koADQ4gM,5478
19
- astreum-0.2.17.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
20
- astreum-0.2.17.dist-info/top_level.txt,sha256=1EG1GmkOk3NPmUA98FZNdKouhRyget-KiFiMk0i2Uz0,8
21
- astreum-0.2.17.dist-info/RECORD,,
17
+ astreum/models/transaction.py,sha256=yBarvRK2ybMAHHEQPZpubGO7gms4U9k093xQGNQHQ4Q,3043
18
+ astreum-0.2.18.dist-info/licenses/LICENSE,sha256=gYBvRDP-cPLmTyJhvZ346QkrYW_eleke4Z2Yyyu43eQ,1089
19
+ astreum-0.2.18.dist-info/METADATA,sha256=FlvqUo_qpvlxbOzKHONdWYS00SwvCUopk73M1A4AyRA,5478
20
+ astreum-0.2.18.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
21
+ astreum-0.2.18.dist-info/top_level.txt,sha256=1EG1GmkOk3NPmUA98FZNdKouhRyget-KiFiMk0i2Uz0,8
22
+ astreum-0.2.18.dist-info/RECORD,,