-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathparse_transactions.ts
171 lines (154 loc) · 4.83 KB
/
parse_transactions.ts
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
import {
Connection,
PublicKey,
ConfirmedSignatureInfo,
ParsedTransactionWithMeta,
TransactionSignature,
} from "@solana/web3.js";
import { BorshCoder } from "@coral-xyz/anchor";
import IDL from "../../target/idl/staking.json";
// Gets program transactions
export async function getProgramTransactions(
connection: Connection,
programId: string,
limit: number = 10,
): Promise<ParsedTransactionWithMeta[]> {
try {
// Fetch the signatures of recent transactions for the program
const signatures: ConfirmedSignatureInfo[] =
await connection.getSignaturesForAddress(new PublicKey(programId), {
limit,
});
// Fetch the transaction details for each signature
const transactions: (ParsedTransactionWithMeta | null)[] =
await Promise.all(
signatures.map((sig) =>
connection
.getParsedTransaction(sig.signature, {
maxSupportedTransactionVersion: 0,
})
.catch((error) => {
console.error(
`Error fetching transaction ${sig.signature}:`,
error,
);
return null;
}),
),
);
return transactions.filter(
(tx): tx is ParsedTransactionWithMeta => tx !== null,
);
} catch (error) {
console.error("Error fetching program transactions:", error);
return [];
}
}
// Prints full details of the transaction to the console
export async function printTransactionDetails(
connection: Connection,
signature: TransactionSignature,
): Promise<void> {
try {
const transaction = await connection.getParsedTransaction(signature, {
maxSupportedTransactionVersion: 0,
});
if (!transaction) {
console.log(`Transaction with signature ${signature} not found.`);
return;
}
console.log("Signature:", signature);
console.log("Slot:", transaction.slot);
console.log(
"Block Time:",
transaction.blockTime
? new Date(transaction.blockTime * 1000).toISOString()
: "N/A",
);
console.log("Fee:", transaction.meta?.fee);
console.log("\nInstructions:");
transaction.transaction.message.instructions.forEach(
(instruction, index) => {
console.log(`Instruction ${index + 1}:`);
if ("parsed" in instruction) {
console.log("Program:", instruction.program);
console.log(
"Parsed Data:",
JSON.stringify(instruction.parsed, null, 2),
);
} else {
console.log("Program ID:", instruction.programId.toString());
console.log("Data (Base58):", instruction.data);
}
},
);
console.log("\nLog Messages:");
transaction.meta?.logMessages?.forEach((log, index) => {
console.log(`${index + 1}. ${log}`);
});
console.log("\nToken Balances:");
transaction.meta?.postTokenBalances?.forEach((balance, index) => {
console.log(`Account ${index + 1}:`);
console.log(` Mint: ${balance.mint}`);
console.log(` Owner: ${balance.owner}`);
console.log(` Balance: ${balance.uiTokenAmount.uiAmount}`);
});
} catch (error) {
console.error("Error fetching transaction details:", error);
}
}
// Prints events of the transaction to the console
export async function printTransactionEvents(
connection: Connection,
signature: TransactionSignature,
): Promise<void> {
try {
const transaction = await connection.getParsedTransaction(signature, {
maxSupportedTransactionVersion: 0,
});
if (!transaction) {
console.log(`Transaction with signature ${signature} not found.`);
return;
}
console.log("Transaction signature:", signature);
const decodedEvents = decodeEventsFromLogMessages(
transaction.meta?.logMessages || [],
IDL,
);
// console.log(decodedEvents);
if (decodedEvents) {
console.log("\nEvents:");
decodedEvents.forEach((event, index) => {
console.log(`${index + 1}. Event: ${event.name}`);
console.log("Data:", JSON.stringify(event.data, null, 2));
});
} else {
console.log("Events not found.");
}
} catch (error) {
console.error("Error printing transaction events:", error);
}
}
// Decodes events from log messages using IDL
export function decodeEventsFromLogMessages(
logMessages: string[],
idl: any,
): any[] {
const coder = new BorshCoder(idl);
const decodedEvents: any[] = [];
for (const log of logMessages) {
if (log.startsWith("Program data: ")) {
try {
// Remove the "Program data: " prefix
const base64Data = log.slice("Program data: ".length);
const decoded = coder.events.decode(base64Data);
if (decoded) {
decodedEvents.push(decoded);
}
} catch (error) {
console.error("Error decoding log:", error);
}
}
}
return decodedEvents;
}