forked from OpShin/opshin-pioneer-program
-
Notifications
You must be signed in to change notification settings - Fork 0
/
mock.py
224 lines (191 loc) · 7.97 KB
/
mock.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
from collections import defaultdict
from typing import Any, Callable, Dict, List, Optional, Union
from pycardano import (
Address,
ChainContext,
ExecutionUnits,
GenesisParameters,
Network,
PaymentSigningKey,
PaymentVerificationKey,
ProtocolParameters,
ScriptType,
Transaction,
TransactionId,
TransactionInput,
TransactionOutput,
UTxO,
Value,
RedeemerTag,
)
from src.utils.protocol_params import (
DEFAULT_GENESIS_PARAMETERS,
DEFAULT_PROTOCOL_PARAMETERS,
)
from src.utils.tx_tools import (
evaluate_script,
generate_script_contexts_resolved,
ScriptInvocation,
)
ValidatorType = Callable[[Any, Any, Any], Any]
MintingPolicyType = Callable[[Any, Any], Any]
OpshinValidator = Union[ValidatorType, MintingPolicyType]
def evaluate_opshin_validator(validator: OpshinValidator, invocation: ScriptInvocation):
if invocation.redeemer.tag == RedeemerTag.SPEND:
validator(invocation.datum, invocation.redeemer.data, invocation.script_context)
elif invocation.redeemer.tag == RedeemerTag.MINT:
validator(invocation.redeemer.data, invocation.script_context)
else:
raise NotImplementedError("Only spending and minting validators supported.")
class MockChainContext(ChainContext):
def __init__(
self,
protocol_param: Optional[ProtocolParameters] = None,
genesis_param: Optional[GenesisParameters] = None,
default_validator: Optional[OpshinValidator] = None,
opshin_scripts: Optional[Dict[ScriptType, OpshinValidator]] = None,
):
"""
A mock PyCardano ChainContext that you can use for testing offchain code and evaluating scripts locally.
Args:
protocol_param: Cardano Node protocol parameters. Defaults to preview network parameters.
genesis_param: Cardano Node genesis parameters. Defaults to preview network parameters.
default_validator: If set, always evaluate this opshin validator when a plutus script is evaluated.
opshin_scripts: If set, evaluate the opshin validator when the plutus script matches.
"""
self._protocol_param = (
protocol_param if protocol_param else DEFAULT_PROTOCOL_PARAMETERS
)
self._genesis_param = (
genesis_param if genesis_param else DEFAULT_GENESIS_PARAMETERS
)
self.default_validator = default_validator
if opshin_scripts is None:
self.opshin_scripts = {}
else:
self.opshin_scripts = opshin_scripts
self._utxo_state: Dict[str, List[UTxO]] = defaultdict(list)
self._address_lookup: Dict[UTxO, str] = {}
self._utxo_from_txid: Dict[TransactionId, Dict[int, UTxO]] = defaultdict(dict)
self._network = Network.TESTNET
self._epoch = 0
self._last_block_slot = 0
@property
def protocol_param(self) -> ProtocolParameters:
return self._protocol_param
@property
def genesis_param(self) -> GenesisParameters:
return self._genesis_param
@property
def network(self) -> Network:
return self._network
@property
def epoch(self) -> int:
return self._epoch
@property
def last_block_slot(self) -> int:
return self._last_block_slot
def _utxos(self, address: str) -> List[UTxO]:
return self._utxo_state.get(address, [])
def add_utxo(self, utxo: UTxO):
address = str(utxo.output.address)
self._utxo_state[address].append(utxo)
self._address_lookup[utxo] = address
self._utxo_from_txid[utxo.input.transaction_id][utxo.input.index] = utxo
def get_address(self, utxo: UTxO) -> str:
return self._address_lookup[utxo]
def remove_utxo(self, utxo: UTxO):
del self._utxo_from_txid[utxo.input.transaction_id][utxo.input.index]
address = self._address_lookup[utxo]
del self._address_lookup[utxo]
i = self._utxo_state[address].index(utxo)
self._utxo_state[address].pop(i)
def get_utxo_from_txid(self, transaction_id: TransactionId, index: int) -> UTxO:
return self._utxo_from_txid[transaction_id][index]
def submit_tx(self, tx: Transaction):
self.evaluate_tx(tx)
self.submit_tx_mock(tx)
def submit_tx_mock(self, tx: Transaction):
for input in tx.transaction_body.inputs:
utxo = self.get_utxo_from_txid(input.transaction_id, input.index)
self.remove_utxo(utxo)
for i, output in enumerate(tx.transaction_body.outputs):
utxo = UTxO(TransactionInput(tx.id, i), output)
self.add_utxo(utxo)
def submit_tx_cbor(self, cbor: Union[bytes, str]):
return self.submit_tx(Transaction.from_cbor(cbor))
def evaluate_tx(self, tx: Transaction) -> Dict[str, ExecutionUnits]:
input_utxos = [
self.get_utxo_from_txid(input.transaction_id, input.index)
for input in tx.transaction_body.inputs
]
ref_input_utxos = (
[
self.get_utxo_from_txid(input.transaction_id, input.index)
for input in tx.transaction_body.reference_inputs
]
if tx.transaction_body.reference_inputs is not None
else []
)
script_invocations = generate_script_contexts_resolved(
tx, input_utxos, ref_input_utxos, lambda s: self.posix_from_slot(s)
)
ret = {}
for invocation in script_invocations:
# run opshin script if available
if self.default_validator is not None:
evaluate_opshin_validator(self.default_validator, invocation)
if self.opshin_scripts.get(invocation.script) is not None:
opshin_validator = self.opshin_scripts[invocation.script]
evaluate_opshin_validator(opshin_validator, invocation)
redeemer = invocation.redeemer
if redeemer.ex_units.steps <= 0 and redeemer.ex_units.mem <= 0:
redeemer.ex_units = ExecutionUnits(
self.protocol_param.max_tx_ex_mem,
self.protocol_param.max_tx_ex_steps,
)
(suc, err), (cpu, mem), logs = evaluate_script(invocation)
if err:
raise ValueError(err, logs)
key = f"{redeemer.tag.name.lower()}:{redeemer.index}"
ret[key] = ExecutionUnits(mem, cpu)
return ret
def evaluate_tx_cbor(self, cbor: Union[bytes, str]) -> Dict[str, ExecutionUnits]:
return self.evaluate_tx(Transaction.from_cbor(cbor))
def wait(self, slots):
self._last_block_slot += slots
def posix_from_slot(self, slot: int) -> int:
"""Convert a slot to POSIX time (seconds)"""
return self.genesis_param.system_start + self.genesis_param.slot_length * slot
def slot_from_posix(self, posix: int) -> int:
"""Convert POSIX time (seconds) to the last slot"""
return (
posix - self.genesis_param.system_start
) // self.genesis_param.slot_length
class MockUser:
def __init__(self, context: MockChainContext):
self.context = context
self.signing_key = PaymentSigningKey.generate()
self.verification_key = PaymentVerificationKey.from_signing_key(
self.signing_key
)
self.network = Network.TESTNET
self.address = Address(
payment_part=self.verification_key.hash(), network=self.network
)
def fund(self, amount: Union[int, Value]):
if isinstance(amount, int):
value = Value(coin=amount)
else:
value = amount
self.context.add_utxo(
# not sure what the correct genesis transaction is
UTxO(
TransactionInput(TransactionId(self.verification_key.payload), 0),
TransactionOutput(self.address, value),
),
)
def utxos(self):
return self.context.utxos(self.address)
def balance(self) -> Value:
return sum([utxo.output.amount for utxo in self.utxos()], start=Value())