Skip to content

Commit 244b39e

Browse files
feat: appeals undetermined transactions (#657)
* feat: add rollup transaction db table * fix: drop audit table, change id and nonce of rollup, only make one finalized rollup transaction * create rollup transaction for every validator * add function to mock in consensus test * feat: add appeal window, accepted queue, basic test * fix: old tests were stuck on accepted state, add usage of thread * refactor consensus into states * feat: added appeal flow when transaction is accepted including the loop when appeal failed and succeeded * fix: adding tests for appeals and fixing minor bugs * refactor: merge main and PR #573 into this branch * feat: add appeal_failed in db, select new validators when appealed based on formula * docs: cleanup consensus mechanism base file * test: checking the number of validators for different appeals * feat: adding appeal window to undetermined state * feat: change timestamp_accepted and add appeal_undetermined in database * feat: undetermined to pending, activate frontend button in undetermined state and add button also to modal * feat: leader only has no appeal button and no appeal window * feat: implement the state transitions to process the appeal - Add N+2 validators, remove leader - Use latest data of transaction when in pending state and not the old one from the crawler - Write consensus data before setting status to have it updated in frontend when going to transaction info modal - Do not deploy contract when transaction was in the undetermined state * test: add test for leader appeals * refactor: merge 593-appeals-add-validators-when-appealed into 604-appeals-implement-sequential-appeals-fail * refactor: merging changed file permissions * fix: appealing a write method gave a KeyError because of wrong conversation of transaction * docs: update transaction_processor argument description * fix: all appeals disagreed because of pending_transactions type * refactor: undo change because of merge * fix: do not reset finality window when leader appeal failed, leader_only check in appeal_window * fix: set value in database migration file * fix: add leader_only check for modal appeal button, comment out modal appeal button * fix: do not show appeal button when finality window is finished, checking on finalized state gave a small delay in showing when appeal failed and finality window was exceeded * fix: we do not emit messages when the transaction goes from undetermined to finalized * fix: complete merge * fix: redirect leader appeal is processed by appeal queue, not pending queue * fix: test increase wait time to get to finalized * fix: use appeal property of the transaction in frontend * fix: comment out appeal buttons * refactor: clean up prints * fix: check status typo * fix: update consensus test * fix: update test_get_highest_timestamp --------- Co-authored-by: Cristiam Da Silva <cristiam86@gmail.com>
1 parent 2d9bce0 commit 244b39e

File tree

13 files changed

+887
-278
lines changed

13 files changed

+887
-278
lines changed

backend/consensus/base.py

+249-122
Large diffs are not rendered by default.

backend/database_handler/chain_snapshot.py

+13-7
Original file line numberDiff line numberDiff line change
@@ -18,7 +18,9 @@ def __init__(self, session: Session):
1818
self.all_validators = self.validators_registry.get_all_validators()
1919
self.pending_transactions = self._load_pending_transactions()
2020
self.num_validators = len(self.all_validators)
21-
self.accepted_transactions = self._load_accepted_transactions()
21+
self.accepted_undetermined_transactions = (
22+
self._load_accepted_undetermined_transactions()
23+
)
2224

2325
def _load_pending_transactions(self) -> List[dict]:
2426
"""Load and return the list of pending transactions from the database."""
@@ -41,19 +43,23 @@ def get_all_validators(self):
4143
"""Return the list of all validators."""
4244
return self.all_validators
4345

44-
def _load_accepted_transactions(self) -> List[dict]:
45-
"""Load and return the list of accepted transactions from the database."""
46+
def _load_accepted_undetermined_transactions(self) -> List[dict]:
47+
"""Load and return the list of accepted and undetermined transactions from the database."""
4648

4749
accepted_transactions = (
4850
self.session.query(Transactions)
49-
.filter(Transactions.status == TransactionStatus.ACCEPTED)
51+
.filter(
52+
(Transactions.status == TransactionStatus.ACCEPTED)
53+
| (Transactions.status == TransactionStatus.UNDETERMINED)
54+
)
55+
.order_by(Transactions.timestamp_awaiting_finalization)
5056
.all()
5157
)
5258
return [
5359
TransactionsProcessor._parse_transaction_data(transaction)
5460
for transaction in accepted_transactions
5561
]
5662

57-
def get_accepted_transactions(self):
58-
"""Return the list of accepted transactions."""
59-
return self.accepted_transactions
63+
def get_accepted_undetermined_transactions(self):
64+
"""Return the list of accepted and undetermined transactions."""
65+
return self.accepted_undetermined_transactions
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,55 @@
1+
"""appeal_undetermined
2+
3+
Revision ID: a4a32d27dde2
4+
Revises: 2a4ac5eb9455
5+
Create Date: 2024-11-25 14:49:46.916279
6+
7+
"""
8+
9+
from typing import Sequence, Union
10+
11+
from alembic import op
12+
import sqlalchemy as sa
13+
14+
15+
# revision identifiers, used by Alembic.
16+
revision: str = "a4a32d27dde2"
17+
down_revision: Union[str, None] = "2a4ac5eb9455"
18+
branch_labels: Union[str, Sequence[str], None] = None
19+
depends_on: Union[str, Sequence[str], None] = None
20+
21+
22+
def upgrade() -> None:
23+
# ### commands auto generated by Alembic - please adjust! ###
24+
op.add_column(
25+
"transactions", sa.Column("appeal_undetermined", sa.Boolean(), nullable=True)
26+
)
27+
op.execute(
28+
"UPDATE transactions SET appeal_undetermined = FALSE WHERE appeal_undetermined IS NULL"
29+
)
30+
op.alter_column("transactions", "appeal_undetermined", nullable=False)
31+
op.add_column(
32+
"transactions",
33+
sa.Column("timestamp_awaiting_finalization", sa.BigInteger(), nullable=True),
34+
)
35+
op.execute(
36+
"UPDATE transactions SET timestamp_awaiting_finalization = 0 WHERE timestamp_awaiting_finalization IS NULL"
37+
)
38+
op.drop_column("transactions", "timestamp_accepted")
39+
# ### end Alembic commands ###
40+
41+
42+
def downgrade() -> None:
43+
# ### commands auto generated by Alembic - please adjust! ###
44+
op.add_column(
45+
"transactions",
46+
sa.Column(
47+
"timestamp_accepted", sa.BIGINT(), autoincrement=False, nullable=True
48+
),
49+
)
50+
op.execute(
51+
"UPDATE transactions SET timestamp_accepted = 0 WHERE timestamp_accepted IS NULL"
52+
)
53+
op.drop_column("transactions", "timestamp_awaiting_finalization")
54+
op.drop_column("transactions", "appeal_undetermined")
55+
# ### end Alembic commands ###

backend/database_handler/models.py

+4-1
Original file line numberDiff line numberDiff line change
@@ -116,7 +116,10 @@ class Transactions(Base):
116116
init=False,
117117
)
118118
appealed: Mapped[bool] = mapped_column(Boolean, default=False)
119-
timestamp_accepted: Mapped[Optional[int]] = mapped_column(BigInteger, default=None)
119+
appeal_undetermined: Mapped[bool] = mapped_column(Boolean, default=False)
120+
timestamp_awaiting_finalization: Mapped[Optional[int]] = mapped_column(
121+
BigInteger, default=None
122+
)
120123

121124

122125
class Validators(Base):

backend/database_handler/transactions_processor.py

+30-14
Original file line numberDiff line numberDiff line change
@@ -63,8 +63,9 @@ def _parse_transaction_data(transaction_data: Transactions) -> dict:
6363
],
6464
"ghost_contract_address": transaction_data.ghost_contract_address,
6565
"appealed": transaction_data.appealed,
66-
"timestamp_accepted": transaction_data.timestamp_accepted,
66+
"timestamp_awaiting_finalization": transaction_data.timestamp_awaiting_finalization,
6767
"appeal_failed": transaction_data.appeal_failed,
68+
"appeal_undetermined": transaction_data.appeal_undetermined,
6869
}
6970

7071
@staticmethod
@@ -171,8 +172,9 @@ def insert_transaction(
171172
),
172173
ghost_contract_address=ghost_contract_address,
173174
appealed=False,
174-
timestamp_accepted=None,
175+
timestamp_awaiting_finalization=None,
175176
appeal_failed=0,
177+
appeal_undetermined=False,
176178
)
177179

178180
self.session.add(new_transaction)
@@ -293,21 +295,27 @@ def set_transaction_appeal(self, transaction_hash: str, appeal: bool):
293295
transaction = (
294296
self.session.query(Transactions).filter_by(hash=transaction_hash).one()
295297
)
296-
if (transaction.status == TransactionStatus.ACCEPTED.value) or (
297-
transaction.status == TransactionStatus.UNDETERMINED.value
298+
# You can only appeal the transaction if it is in accepted or undetermined state
299+
# Setting it to false is always allowed
300+
if (
301+
(not appeal)
302+
or (transaction.status == TransactionStatus.ACCEPTED)
303+
or (transaction.status == TransactionStatus.UNDETERMINED)
298304
):
299305
transaction.appealed = appeal
300306

301-
def set_transaction_timestamp_accepted(
302-
self, transaction_hash: str, timestamp_accepted: int = None
307+
def set_transaction_timestamp_awaiting_finalization(
308+
self, transaction_hash: str, timestamp_awaiting_finalization: int = None
303309
):
304310
transaction = (
305311
self.session.query(Transactions).filter_by(hash=transaction_hash).one()
306312
)
307-
if timestamp_accepted:
308-
transaction.timestamp_accepted = timestamp_accepted
313+
if timestamp_awaiting_finalization:
314+
transaction.timestamp_awaiting_finalization = (
315+
timestamp_awaiting_finalization
316+
)
309317
else:
310-
transaction.timestamp_accepted = int(time.time())
318+
transaction.timestamp_awaiting_finalization = int(time.time())
311319

312320
def set_transaction_appeal_failed(self, transaction_hash: str, appeal_failed: int):
313321
if appeal_failed < 0:
@@ -317,30 +325,38 @@ def set_transaction_appeal_failed(self, transaction_hash: str, appeal_failed: in
317325
)
318326
transaction.appeal_failed = appeal_failed
319327

328+
def set_transaction_appeal_undetermined(
329+
self, transaction_hash: str, appeal_undetermined: bool
330+
):
331+
transaction = (
332+
self.session.query(Transactions).filter_by(hash=transaction_hash).one()
333+
)
334+
transaction.appeal_undetermined = appeal_undetermined
335+
320336
def get_highest_timestamp(self) -> int:
321337
transaction = (
322338
self.session.query(Transactions)
323-
.filter(Transactions.timestamp_accepted.isnot(None))
324-
.order_by(desc(Transactions.timestamp_accepted))
339+
.filter(Transactions.timestamp_awaiting_finalization.isnot(None))
340+
.order_by(desc(Transactions.timestamp_awaiting_finalization))
325341
.first()
326342
)
327343
if transaction is None:
328344
return 0
329-
return transaction.timestamp_accepted
345+
return transaction.timestamp_awaiting_finalization
330346

331347
def get_transactions_for_block(
332348
self, block_number: int, include_full_tx: bool
333349
) -> dict:
334350
transactions = (
335351
self.session.query(Transactions)
336-
.filter(Transactions.timestamp_accepted == block_number)
352+
.filter(Transactions.timestamp_awaiting_finalization == block_number)
337353
.all()
338354
)
339355

340356
block_hash = "0x" + "0" * 64
341357
parent_hash = "0x" + "0" * 64 # Placeholder for parent block hash
342358
timestamp = (
343-
transactions[0].timestamp_accepted
359+
transactions[0].timestamp_awaiting_finalization
344360
if len(transactions) > 0
345361
else int(time.time())
346362
)

backend/domain/types.py

+8-3
Original file line numberDiff line numberDiff line change
@@ -83,8 +83,9 @@ class Transaction:
8383
created_at: str | None = None
8484
ghost_contract_address: str | None = None
8585
appealed: bool = False
86-
timestamp_accepted: int | None = None
86+
timestamp_awaiting_finalization: int | None = None
8787
appeal_failed: int = 0
88+
appeal_undetermined: bool = False
8889

8990
def to_dict(self):
9091
return {
@@ -106,8 +107,9 @@ def to_dict(self):
106107
"created_at": self.created_at,
107108
"ghost_contract_address": self.ghost_contract_address,
108109
"appealed": self.appealed,
109-
"timestamp_accepted": self.timestamp_accepted,
110+
"timestamp_awaiting_finalization": self.timestamp_awaiting_finalization,
110111
"appeal_failed": self.appeal_failed,
112+
"appeal_undetermined": self.appeal_undetermined,
111113
}
112114

113115
@classmethod
@@ -131,6 +133,9 @@ def from_dict(cls, input: dict) -> "Transaction":
131133
created_at=input.get("created_at"),
132134
ghost_contract_address=input.get("ghost_contract_address"),
133135
appealed=input.get("appealed"),
134-
timestamp_accepted=input.get("timestamp_accepted"),
136+
timestamp_awaiting_finalization=input.get(
137+
"timestamp_awaiting_finalization"
138+
),
135139
appeal_failed=input.get("appeal_failed", 0),
140+
appeal_undetermined=input.get("appeal_undetermined", False),
136141
)

frontend/src/components/Simulator/TransactionItem.vue

+34-10
Original file line numberDiff line numberDiff line change
@@ -18,6 +18,7 @@ const transactionsStore = useTransactionsStore();
1818
1919
const props = defineProps<{
2020
transaction: TransactionItem;
21+
finalityWindow: number;
2122
}>();
2223
2324
const isDetailsModalOpen = ref(false);
@@ -44,20 +45,17 @@ const shortHash = computed(() => {
4445
return props.transaction.hash?.slice(0, 6);
4546
});
4647
47-
const isAppealed = ref(false);
48+
const appealed = ref(props.transaction.data.appealed);
4849
4950
const handleSetTransactionAppeal = () => {
5051
transactionsStore.setTransactionAppeal(props.transaction.hash);
51-
52-
isAppealed.value = true;
52+
appealed.value = true;
5353
};
5454
5555
watch(
56-
() => props.transaction.status,
57-
(newStatus) => {
58-
if (newStatus !== 'ACCEPTED') {
59-
isAppealed.value = false;
60-
}
56+
() => props.transaction.data.appealed,
57+
(newVal) => {
58+
appealed.value = newVal;
6159
},
6260
);
6361
@@ -155,8 +153,15 @@ function prettifyTxData(x: any): any {
155153
<!-- <TransactionStatusBadge
156154
as="button"
157155
@click.stop="handleSetTransactionAppeal"
158-
:class="{ '!bg-green-500': isAppealed }"
159-
v-if="transaction.status == 'ACCEPTED'"
156+
:class="{ '!bg-green-500': appealed }"
157+
v-if="
158+
transaction.data.leader_only == false &&
159+
(transaction.status == 'ACCEPTED' ||
160+
transaction.status == 'UNDETERMINED') &&
161+
Date.now() / 1000 -
162+
transaction.data.timestamp_awaiting_finalization <=
163+
finalityWindow
164+
"
160165
v-tooltip="'Appeal transaction'"
161166
>
162167
<div class="flex items-center gap-1">
@@ -226,6 +231,25 @@ function prettifyTxData(x: any): any {
226231
>
227232
{{ transaction.status }}
228233
</TransactionStatusBadge>
234+
<!-- <TransactionStatusBadge
235+
as="button"
236+
@click.stop="handleSetTransactionAppeal"
237+
:class="{ '!bg-green-500': appealed }"
238+
v-if="
239+
transaction.data.leader_only == false &&
240+
(transaction.status == 'ACCEPTED' ||
241+
transaction.status == 'UNDETERMINED') &&
242+
Date.now() / 1000 -
243+
transaction.data.timestamp_awaiting_finalization <=
244+
finalityWindow
245+
"
246+
v-tooltip="'Appeal transaction'"
247+
>
248+
<div class="flex items-center gap-1">
249+
APPEAL
250+
<GavelIcon class="h-3 w-3" />
251+
</div>
252+
</TransactionStatusBadge> -->
229253
</p>
230254
</div>
231255

frontend/src/components/Simulator/TransactionsList.vue

+6-1
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,5 @@
11
<script setup lang="ts">
2-
import { ref, computed } from 'vue';
2+
import { ref, computed, defineProps } from 'vue';
33
import { useContractsStore, useTransactionsStore } from '@/stores';
44
import { TrashIcon } from '@heroicons/vue/24/solid';
55
import TransactionItem from './TransactionItem.vue';
@@ -9,6 +9,10 @@ import EmptyListPlaceholder from '@/components/Simulator/EmptyListPlaceholder.vu
99
const contractsStore = useContractsStore();
1010
const transactionsStore = useTransactionsStore();
1111
12+
const props = defineProps({
13+
finalityWindow: Number,
14+
});
15+
1216
const transactions = computed(() => {
1317
const contractTransactions = transactionsStore.transactions.filter(
1418
(t) => t.localContractId === contractsStore.currentContractId,
@@ -54,6 +58,7 @@ const handleClearTransactions = () => {
5458
v-for="transaction in transactions"
5559
:key="transaction.hash"
5660
:transaction="transaction"
61+
:finalityWindow="props.finalityWindow ?? 0"
5762
/>
5863
</div>
5964

frontend/src/services/JsonRpcService.ts

-1
Original file line numberDiff line numberDiff line change
@@ -196,7 +196,6 @@ export class JsonRpcService implements IJsonRpcService {
196196
}
197197

198198
async setFinalityWindowTime(time: number): Promise<any> {
199-
console.log('Setting finality window time:', time, 'Type:', typeof time);
200199
return this.callRpcMethod<any>(
201200
'sim_setFinalityWindowTime',
202201
[time],

frontend/src/views/Simulator/RunDebugView.vue

+4-1
Original file line numberDiff line numberDiff line change
@@ -102,7 +102,10 @@ const isFinalityWindowValid = computed(() => {
102102
id="tutorial-write-methods"
103103
:leaderOnly="leaderOnly"
104104
/>
105-
<TransactionsList id="tutorial-tx-response" />
105+
<TransactionsList
106+
id="tutorial-tx-response"
107+
:finalityWindow="finalityWindow"
108+
/>
106109
</template>
107110
</template>
108111

tests/db-sqlalchemy/transactions_processor_test.py

+6-2
Original file line numberDiff line numberDiff line change
@@ -140,13 +140,17 @@ def test_get_highest_timestamp(transactions_processor: TransactionsProcessor):
140140
)
141141
transactions_processor.session.commit()
142142
assert transactions_processor.get_highest_timestamp() == 0
143-
transactions_processor.set_transaction_timestamp_accepted(tx1_hash, 1000)
143+
transactions_processor.set_transaction_timestamp_awaiting_finalization(
144+
tx1_hash, 1000
145+
)
144146

145147
# Second transaction with timestamp 2000
146148
tx2_hash = transactions_processor.insert_transaction(
147149
from_address, to_address, data, 1.0, 1, 1, True
148150
)
149-
transactions_processor.set_transaction_timestamp_accepted(tx2_hash, 2000)
151+
transactions_processor.set_transaction_timestamp_awaiting_finalization(
152+
tx2_hash, 2000
153+
)
150154

151155
# Third transaction with no timestamp (should be ignored)
152156
transactions_processor.insert_transaction(

0 commit comments

Comments
 (0)