Simple Blockchain Simulation Examples

Explore practical examples of building a simple blockchain simulation for your science fair project.
By Taylor

Introduction to Simple Blockchain Simulations

Blockchain is a revolutionary technology that allows for secure and transparent record-keeping. Building a simple blockchain simulation can help you understand how this system works and its potential applications. In this guide, we’ll explore three diverse examples of building a simple blockchain simulation that you can use for a science fair project. Each example is designed to be engaging and educational, making complex concepts more accessible.

Example 1: Basic Blockchain with Python

In this project, you will create a basic blockchain using Python, a popular programming language. This example serves to demonstrate how blocks are created and chained together, simulating the core functionality of blockchain technology.

To get started, you’ll need to have Python installed on your computer. You can download it from the official Python website.

In your Python environment, you can use the following code:

import hashlib
import time

class Block:
    def __init__(self, index, previous_hash, timestamp, data, hash):
        self.index = index
        self.previous_hash = previous_hash
        self.timestamp = timestamp
        self.data = data
        self.hash = hash

class Blockchain:
    def __init__(self):
        self.chain = []
        self.create_block(previous_hash='0')

    def create_block(self, data, previous_hash=None):
        index = len(self.chain) + 1
        timestamp = time.time()
        hash = self.hash_block(index, previous_hash, timestamp, data)
        block = Block(index, previous_hash, timestamp, data, hash)
        self.chain.append(block)
        return block

    def hash_block(self, index, previous_hash, timestamp, data):
        value = str(index) + previous_hash + str(timestamp) + data
        return hashlib.sha256(value.encode()).hexdigest()

## Create a blockchain instance
blockchain = Blockchain()

## Adding blocks to the blockchain
blockchain.create_block(data='Block 1 Data')
blockchain.create_block(data='Block 2 Data')

## Display the blockchain
for block in blockchain.chain:
    print(f'Index: {block.index}, Hash: {block.hash}, Previous Hash: {block.previous_hash}')

In this code, we define a Block class to represent each block in the blockchain and a Blockchain class to manage the chain. As you run the code, you will see how each block is added and linked to the previous one.

Notes and Variations:

  • You can enhance this project by adding user input for data, allowing users to add their transactions.
  • Consider visualizing the blockchain using a simple GUI library like Tkinter or a web-based interface using Flask.

Example 2: Blockchain Simulation with JavaScript

This example uses JavaScript to build a simple blockchain simulation that can run in your web browser. This approach allows for interactive learning, where users can see how transactions are added to the blockchain in real-time.

First, create an HTML file and include the following JavaScript code:

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>Simple Blockchain</title>
</head>
<body>
    <h1>Simple Blockchain Simulation</h1>
    <div id="blockchain"></div>
    <script>
        class Block {
            constructor(index, previousHash, timestamp, data) {
                this.index = index;
                this.previousHash = previousHash;
                this.timestamp = timestamp;
                this.data = data;
                this.hash = this.calculateHash();
            }

            calculateHash() {
                return CryptoJS.SHA256(this.index + this.previousHash + this.timestamp + JSON.stringify(this.data)).toString();
            }
        }

        class Blockchain {
            constructor() {
                this.chain = [];
                this.createBlock(0, '0');
            }

            createBlock(data) {
                const index = this.chain.length;
                const previousHash = this.chain.length > 0 ? this.chain[index - 1].hash : '0';
                const timestamp = new Date().getTime();
                const newBlock = new Block(index, previousHash, timestamp, data);
                this.chain.push(newBlock);
                this.displayChain();
            }

            displayChain() {
                const blockchainDiv = document.getElementById('blockchain');
                blockchainDiv.innerHTML = '';
                this.chain.forEach(block => {
                    blockchainDiv.innerHTML += `<p>Index: \({block.index}, Hash: }\(block.hash}, Previous Hash: ${block.previousHash}</p>`;
                });
            }
        }

        const myBlockchain = new Blockchain();
        myBlockchain.createBlock({ transaction: 'Alice pays Bob 5 BTC' });
        myBlockchain.createBlock({ transaction: 'Bob pays Charlie 2 BTC' });
    </script>
    <script src="https://cdnjs.cloudflare.com/ajax/libs/crypto-js/3.1.9-1/crypto-js.js"></script>
</body>
</html>

In this simulation, we use the CryptoJS library to calculate the hash for each block. The users can see the blockchain displayed in the browser as they add new transactions.

Notes and Variations:

  • You can add a form to allow users to input their own transaction data.
  • Explore how to integrate this simulation with a simple web server using Node.js to handle multiple users.

Example 3: Blockchain Voting System Simulation

In this project, you will create a simulation of a voting system using blockchain technology. This example emphasizes the importance of security and transparency in the voting process.

You can use a programming language like Python or JavaScript, but we’ll use Python for this example. Below is the code to create a basic voting system:

import hashlib
import json
from time import time

class VotingBlockchain:
    def __init__(self):
        self.chain = []
        self.current_votes = []
        self.create_block(previous_hash='1')

    def create_block(self, previous_hash):
        block = {
            'index': len(self.chain) + 1,
            'timestamp': time(),
            'votes': self.current_votes,
            'previous_hash': previous_hash,
        }
        self.current_votes = []
        self.chain.append(block)
        return block

    def add_vote(self, voter_id, candidate):
        self.current_votes.append({'voter_id': voter_id, 'candidate': candidate})

    def print_chain(self):
        for block in self.chain:
            print(json.dumps(block, indent=4))

## Create the voting blockchain instance
voting_chain = VotingBlockchain()

## Adding votes
voting_chain.add_vote('voter1', 'Candidate A')
voting_chain.add_vote('voter2', 'Candidate B')
voting_chain.create_block(previous_hash='0')

## Display the voting blockchain
voting_chain.print_chain()

In this example, voters can cast their votes, which are stored in the blockchain, ensuring that each vote is counted securely and transparently. The blockchain can be printed out to show the results.

Notes and Variations:

  • You can enhance this by adding a user interface to display voting outcomes visually.
  • Consider implementing a feature that prevents double voting by checking if a voter ID has already been used.

By working through these examples, you’ll gain a deeper understanding of blockchain technology and its applications. Each simulation illustrates fundamental concepts that can be expanded upon for a more in-depth project. Happy coding!