Part 2 — Syncing Chains From Different Nodes

In Part 2 we write some code to introduce the ability for different nodes to communicate.


Initially we wanted to write about nodes syncing up and talking with each other, along with mining and broadcasting their winning blocks to other nodes. However, the amount of code and explanation to accomplish all of that was way too big for one post. Because of this, Part 2 is only about nodes beginning the process of talking for the future.


If you’re looking for the total implementation you should look at the entire code on the part-2 branch on Github.




Summary
At the end of this post, you'll know the way to create nodes which, when running, will ask other nodes what blockchain they’re using, and be able to store it locally to be used when they start mining. That’s it. Why is this post so long? Because there is so much involved in building up the code to make it easier to work with for this application and for the future.


That being said, the syncing here isn’t super advanced. We go over improving the classes involved in the chain, testing the new features, creating other nodes simply, and finally a way for nodes to sync when they start running.


For these sections, we'll talk about the code and then paste the code, so get ready.


Expanding Block and adding Chain class
This project is a great example of the benefits of Object Oriented Programming. In this section, we're going to start talking about the changes to the Block class, and then go in to the creation of the Chain class.


The big keys for Blocks are:


Throwing in a way to convert the keys in the Block’s header from input values to the types we’re looking for. This makes it easy to dump in a json dict from a file and convert the string value of the index, nonce, and second timestamp into ints. This could change in the future for new variables. For example if we want to convert the datetime into an actual datetime object, this method will be good to have.
Validating the block by checking whether the hash begins with the required number of zeros.
The ability for the block to save itself in the chaindata folder. Allowing this rather than requiring a utility function to take care of that.
Overriding some of the operator functions.
__repr__ for making it easier to get quick information about the block when debugging. It overrides __str__ as well if you’re printing.
__eq__ that allows you to compare two blocks to see if they’re equal with ==. Otherwise Python will compare with the address the block has in memory. We’re looking for data comparison
__ne__, opposite of __eq__ of course
In the future, we’ll probably want to have some greater than (__gt__) operator so we’d be able to simply use > to see which chain is better. But right now, we don’t have a good way to do that.
############config.py
CHAINDATA_DIR = 'chaindata/'
BROADCASTED_BLOCK_DIR = CHAINDATA_DIR + 'bblocs/'
NUM_ZEROS = 5 #difficulty, currently.
BLOCK_VAR_CONVERSIONS = {'index': int, 'nonce': int, 'hash': str, 'prev_hash': str, 'timestamp': int}
###########block.py
from config import *
class Block(object):
  def __init__(self, *args, **kwargs):
    '''
      We're looking for index, timestamp, data, prev_hash, nonce
    '''
    for key, value in dictionary.items():
      if key in BLOCK_VAR_CONVERSIONS:
        setattr(self, key, BLOCK_VAR_CONVERSIONS[key](value))
      else:
        setattr(self, key, value)
    if not hasattr(self, 'hash'): #in creating the first block, needs to be removed in future
      self.hash = self.create_self_hash()
    if not hasattr(self, 'nonce'):
    #we're throwin this in for generation
    self.nonce = 'None'
.....
  def self_save(self):
    '''
      Want the ability to easily save
    '''
    index_string = str(self.index).zfill(6) #front of zeros so they stay in numerical order
    filename = '%s%s.json' % (CHAINDATA_DIR, index_string)
    with open(filename, 'w') as block_file:
      json.dump(self.to_dict(), block_file)
  def is_valid(self):
    '''
      Current validity is only that the hash begins with at least NUM_ZEROS
    '''
    self.update_self_hash()
    if str(self.hash[0:NUM_ZEROS]) == '0' * NUM_ZEROS:
      return True
    else:
      return False
  def __repr__(self): #used for debugging without print, __repr__ > __str__
    return "Block<index:&nbsp;%s>, <hash:&nbsp;%s>" % (self.index, self.hash)
  def __eq__(self, other):
    return (self.index == other.index and
            self.timestamp == other.timestamp and
            self.prev_hash == other.prev_hash and
            self.hash == other.hash and
            self.data == other.data and
            self.nonce == other.nonce)
  def __ne__(self, other):
    return not self.__eq__(other)
Again, these operations can easily change in the future.


Chain time.


Initialize a Chain by passing in a list of blocks. Chain([block_zero, block_one]) or Chain([]) if you’re creating an empty chain.
Validity is determined by index incrementing by one, prev_hash is actually the hash of the previous block, and hashes have valid zeros.
The ability to save the block to chaindata
The ability to find a specific block in the chain by index or by hash
The length of the chain, which can be called by len(chain_obj) is the length of self.blocks
Equality of chains requires list of blocks of equal lengths that are all equal.
Greater than, less than are determined only by the length of the chain
Ability to add a block to the chain, currently by throwing it on the end of the block variable, not checking validitiy
Returning a list of dictionary objects for all the blocks in the chain.
from block import Block
class Chain(object):
  def __init__(self, blocks):
    self.blocks = blocks
  def is_valid(self):
  '''
    Is a valid blockchain if
    1) Each block is indexed one after the other
    2) Each block's prev hash is the hash of the prev block
    3) The block's hash is valid for the number of zeros
  '''
    for index, cur_block in enumerate(self.blocks[1:]):
      prev_block = self.blocks[index]
      if prev_block.index+1 != cur_block.index:
        return False
      if not cur_block.is_valid(): #checks the hash
        return False
      if prev_block.hash != cur_block.prev_hash:
        return False
    return True
  def self_save(self):
    '''
      We want to save this in the file system as we do.
    '''
    for b in self.blocks:
      b.self_save()
    return True
  def find_block_by_index(self, index):
    if len(self) <= index:
      return self.blocks[index]
    else:
      return False
  def find_block_by_hash(self, hash):
    for b in self.blocks:
      if b.hash == hash:
        return b
    return False
  def __len__(self):
    return len(self.blocks)
  def __eq__(self, other):
    if len(self) != len(other):
      return False
    for self_block, other_block in zip(self.blocks, other.blocks):
      if self_block != other_block:
        return False
    return True
  def __gt__(self, other):
    return len(self.blocks) > len(other.blocks)
.....
  def __ge__(self, other):
    return self.__eq__(other) or self.__gt__(other)
  def max_index(self):
    '''
      We're assuming a valid chain. Might change later
    '''
    return self.blocks[-1].index
  def add_block(self, new_block):
    '''
      Put the new block into the index that the block is asking.
      That is, if the index is of one that currently exists, the new block
      would take it's place. Then we want to see if that block is valid.
      If it isn't, then we ditch the new block and return False.
    '''
    self.blocks.append(new_block)
    return True
  def block_list_dict(self):
    return [b.to_dict() for b in self.blocks]
We listed a lot of the functions of the Chain class here. In the future, these functions are probably going to change, most notably the __gt__ and __lt__ comparisons. Right now, this handles a bunch of abilities we’re looking for.


Testing
We're going to throw my note about testing the classes here. We have the ability to mine new blocks which use the classes. One way to test is to change the classes, run the mining, observe the errors, try to fix, and then run the mining again. That’s quite a waste of time in that testing all parts of the code would take forever, especially when .


There are a bunch of testing libraries out there, but they do involve a bunch of formatting. We don’t want to take that on right now, so having a test.py definitely works.


In order to get the block dicts listed at the start, we simply ran the mining algorithm a few times to get a valid chain of the block dicts. From there, we write sections that test the different parts of the classes. If we change or add something to the classes, it barely takes any time to write the test for it. When we run python test.py, the file runs incredibly quickly and tells me exactly which line the error was from.


from block import Block
from chain import Chain
block_zero_dir = {"nonce": "631412", "index": "0", "hash": "000002f9c703dc80340c08462a0d6acdac9d0e10eb4190f6e57af6bb0850d03c", "timestamp": "1508895381", "prev_hash": "", "data": "First block data"}
block_one_dir = {"nonce": "1225518", "index": "1", "hash": "00000c575050241e0a4df1acd7e6fb90cc1f599e2cc2908ec8225e10915006cc", "timestamp": "1508895386", "prev_hash": "000002f9c703dc80340c08462a0d6acdac9d0e10eb4190f6e57af6bb0850d03c", "data": "I block #1"}
block_two_dir = {"nonce": "1315081", "index": "2", "hash": "000003cf81f6b17e60ef1e3d8d24793450aecaf65cbe95086a29c1e48a5043b1", "timestamp": "1508895393", "prev_hash": "00000c575050241e0a4df1acd7e6fb90cc1f599e2cc2908ec8225e10915006cc", "data": "I block #2"}
block_three_dir = {"nonce": "24959", "index": "3", "hash": "00000221653e89d7b04704d4690abcf83fdb144106bb0453683c8183253fabad", "timestamp": "1508895777", "prev_hash": "000003cf81f6b17e60ef1e3d8d24793450aecaf65cbe95086a29c1e48a5043b1", "data": "I block #3"}
block_three_later_in_time_dir = {"nonce": "46053", "index": "3", "hash": "000000257df186344486c2c3c1ebaa159e812ca1c5c29947651672e2588efe1e", "timestamp": "1508961173", "prev_hash": "000003cf81f6b17e60ef1e3d8d24793450aecaf65cbe95086a29c1e48a5043b1", "data": "I block #3"}
###########################
#
# Block time
#
###########################
block_zero = Block(block_zero_dir)
another_block_zero = Block(block_zero_dir)
assert block_zero.is_valid()
assert block_zero == another_block_zero
assert not block_zero != another_block_zero
....
#####################################
#
# Bringing Chains into play
#
#####################################
blockchain = Chain([block_zero, block_one, block_two])
assert blockchain.is_valid()
assert len(blockchain) == 3
empty_chain = Chain([])
assert len(empty_chain) == 0
empty_chain.add_block(block_zero)
assert len(empty_chain) == 1
empty_chain = Chain([])
assert len(empty_chain) == 0
.....
assert blockchain == another_blockchain
assert not blockchain != another_blockchain
assert blockchain <= another_blockchain
assert blockchain >= another_blockchain
assert not blockchain > another_blockchain
assert not another_blockchain < blockchain
blockchain.add_block(block_three)
assert blockchain.is_valid()
assert len(blockchain) == 4
assert not blockchain == another_blockchain
assert blockchain != another_blockchain
assert not blockchain <= another_blockchain
assert blockchain >= another_blockchain
assert blockchain > another_blockchain
assert another_blockchain < blockchain
Future additions to test.py include using one of the fancy testing libraries which will run all the tests separately. This would let you know all of the tests that could fail rather than dealing with them one at a time. Another would be to put the test block dicts in files instead of in the script. For example, adding a chaindata dir in the test dir so we can test the creation and saving of blocks.


Peers, and Hard Links
The whole point of this part of the jbc is to be able to create different nodes that can run their own mining, own nodes on different ports, store their own chains to their own chaindata folder, and have the ability to give other peers their blockchain.


To do this, we want to share the files quickly between the folders so any change to one will be represented in the other blockchain nodes. Enter hard links.


At first we tried rsync, where we would run the bash script and have it copy the main files into a different local folder. The problem with this is that every change to a file and restart of the node would require us to ship the files over. We don’t want to have to do that all the time.


Hard links, on the other hand, will make the OS point the files in the different folder exactly to the files in my main jbc folder. Any change and save for the main files will be represented in the other nodes.


Here’s the bash script we created that will link the folders.


#!/bin/bash
port=$1
if [ -z "$port" ] #if port isn't assigned
then
  echo Need to specify port number
  exit 1
fi
FILES=(block.py chain.py config.py mine.py node.py sync.py utils.py)
mkdir jbc$port
for file in "${FILES[@]}"
do
  echo Syncing $file
  ln jbc/$file jbc$port/$file
done
echo Synced new jbc folder for port $port
exit 1
To run, $./linknodes 5001 to create a folder called jbc5001 with the correct files.


Since Flask runs initially on port 5000, we're going to use 5001, 5002, and 5003 as my initial peer nodes. Define them in config.py and use them when config is imported. As with many parts of the code, this will definitely change to make sure peers aren’t hardcoded. We want to be able to ask for new ones.


#config.py
#possible peers to start with
PEERS = [
          'http://localhost:5000/',
          'http://localhost:5001/',
          'http://localhost:5002/',
          'http://localhost:5003/',
        ]
#node.py
if __name__ == '__main__':
  if len(sys.argv) >= 2:
    port = sys.argv[1]
  else:
    port = 5000
  node.run(host='127.0.0.1', port=port)
Cool. In part 1, the Flask node already has an endpoint for sharing it’s blockchain so we’re good on that front, but we still need to write the code to ask our peer friends about what they’re working with.


Quick side, we’re using Flask and http. This works in our case, but a blockchain like Ethereum has their own protocol for broadcasting, the Ethereum Wire Protocol.


Syncing
When a node or mine starts, the first requirement is to sync up to get a valid blockchain to work from. There are two parts to this – first, getting that node’s local blockchain it has in its (fix the it’s to be its) chaindata dtr, and second, the ability to ask your peers what they have.


There’s a big part of syncing that we're ignoring for now — determining which chain is the best to work with. Remember the __gt__ method in the Chain class? All we're doing is seeing which chain is longer than the other. That’s not going to cut it when we’re dealing with information being locked in and unchangeable.


Imagine if a node starts mining on its own, goes off in a different direction and doesn’t ask peers what they’re working on, gets lucky to create new valid blocks with its own data, and ends up longer than the others but wayy different blocks. Should they be considered to have the most valid and correct block? Right now, we're going to stick with length. This’ll change in a future part of this project.


Another part of the code below to keep in mind is how few error checks we have. We're assuming the files and block dicts are valid without any attempted changes. Important for production and wider distribution, but not for now.


Foreward: sync_local() is pretty much the same as the initial sync_local() from part 1 so we're not going to include the difference here. The new sync_overall.py asks peers what they have for the blockchains and determines the best by chain length.


from block import Block
from chain import Chain
from config import *
from utils import is_valid_chain
.....
def sync_overall(save=False):
  best_chain = sync_local()
  for peer in PEERS:
    #try to connect to peer
    peer_blockchain_url = peer + 'blockchain.json'
    try:
      r = requests.get(peer_blockchain_url)
      peer_blockchain_dict = r.json()
      peer_blocks = [Block(bdict) for bdict in peer_blockchain_dict]
      peer_chain = Chain(peer_blocks)
      if peer_chain.is_valid() and peer_chain > best_chain:
        best_chain = peer_chain
    except requests.exceptions.ConnectionError:
      print "Peer at %s not running. Continuing to next peer." % peer
  print "Longest blockchain is %s blocks" % len(best_chain)
  #for now, save the new blockchain over whatever was there
  if save:
    best_chain.self_save()
  return best_chain
def sync(save=False):
  return sync_overall(save=save)
Now when we run node.py we want to sync the blockchain we’re going to use. This involves initially asking peers what they’re woking with and saving the best. Then when we get asked about our own blockchain we’ll use the local-saved chain. node.py requires a couple changes. Also see how much simpler the blockchain function is than from part 1? That’s why classes are great to use.


#node.py
.....
sync.sync(save=True) #want to sync and save the overall "best" blockchain from peers
@node.route('/blockchain.json', methods=['GET'])
def blockchain():
  local_chain = sync.sync_local() #update if they've changed
  # Convert our blocks into dictionaries
  # so we can send them as json objects later
  json_blocks = json.dumps(local_chain.block_list_dict())
  return json_blocks
.....
Testing time! We want to do the following to show that our nodes are syncing up.


Create an initial generation and main node where we mine something like 6 blocks.
Hard link the files to create a new folder with a node for a different port.
Run node.py for the secondary node and view the blockchain.json endpoint to see that we don’t have any blocks for now.
Run the main node.
Shutdown and restart the secondary node.
Check to see if the secondary node’s chaindata dir has the block json files, and see that its /blockchain.json enpoint is now showing the same chain as the main node.
That’s it, for now
As you read above and as you read from reading this post all the way to the bottom, we didn’t talk about syncing with other nodes after mining. That’ll be Part 3. And then after Part 3 there’s still a bunch to go. Things like creating a Header class that advances the information and structure of the header rather than only having the Block object.


How about the bigger and more correct logic behind determining what the correct blockchain is when you sync up? Huge part we haven’t addressed yet.


Another big part would be syncing data transactions. Right now all we have are dumb little sentences for data that tell people what index the block is. We need to be able to distribute data and tell other nodes what to include in the block.


Tons to go, but we’re on our way.

https://www.commonlounge.com/discussion/6f6703d3fb1e4ae9b244edd3dfbc186e

评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值