Hjelp med å oversette denne siden

🌏

Du ser på denne siden på engelsk fordi vi ikke har oversatt den ennå. Hjelp oss å oversette dette innholdet.

Development of smart contracts and creating tokens on Ethereum, buying and selling ETH, other consulting.

Logging data from smart contracts with events

In Solidity, events are dispatched signals the smart contracts can fire. DApps, or anything connected to Ethereum JSON-RPC API, can listen to these events and act accordingly. Event can also be indexed, so that the event history is searchable later.

The most common event on the Ethereum blockchain at the time of writiing this article is the Transfer event that is emitted by ERC20 tokens when someone transfer tokens.

1event Transfer(address indexed from, address indexed to, uint256 value);
📋 Copy

The event signature are declared inside of the contract code and can be emiited with the emit keyword. For example the transfer event logs who sent the transfer (from), to who (to) and how much tokens were transferred (value).

If we get back to our Counter smart contract and decide to log everytime the value is changed. As this contract is not meant to be deployed but serve as a base for building another contract by extending it: it’s called an abstract contract. In the case of our counter example it would look like this:

1pragma solidity 0.5.17;
2
3contract Counter {
4
5 event ValueChanged(uint oldValue, uint256 newValue);
6
7 // Private variable of type unsigned int to keep the number of counts
8 uint256 private count = 0;
9
10 // Function that increments our counter
11 function increment() public {
12 count += 1;
13 emit ValueChanged(count - 1, count);
14 }
15
16 // Getter to get the count value
17 function getCount() public view returns (uint256) {
18 return count;
19 }
20
21}
Show all
📋 Copy

Notice that:

  • Line 5: we declare our event and what it contains, the old value and the new value.

  • Line 13: When we increment our count variable, we emit the event.

If we now deploy the contract and call the increment function, we’ll see that Remix will automatically display it if you click on the new transaction inside an array named logs.

Remix screenshot

Logs are really useful for debugging your smart contracts but they are also important if you build applications used by different people and make it easier to make analytics to track and understand how your smart contract is used. The logs generated by transactions are displayed in popular block explorers and you can also for example use them to create off chain scripts for listening to specific events and taking action when they occurs.

Ryan Cordell
Last edit: @ryancreatescopy, 22. januar 2021
Edit page