2013-09-07 21:11:42 +00:00
|
|
|
#!/usr/bin/env python
|
2013-08-18 21:50:41 +00:00
|
|
|
# example of proof-of-work algorithm
|
|
|
|
|
|
|
|
import hashlib
|
|
|
|
import time
|
|
|
|
|
2013-09-07 21:11:42 +00:00
|
|
|
max_nonce = 2 ** 32 # 4 billion
|
2013-08-18 21:50:41 +00:00
|
|
|
|
2013-09-07 21:11:42 +00:00
|
|
|
def proof_of_work(header, difficulty_bits):
|
2013-08-18 21:50:41 +00:00
|
|
|
|
2014-09-25 16:02:07 +00:00
|
|
|
# calculate the difficulty target
|
2013-09-07 21:11:42 +00:00
|
|
|
target = 2 ** (256-difficulty_bits)
|
2013-08-18 21:50:41 +00:00
|
|
|
|
|
|
|
for nonce in xrange(max_nonce):
|
|
|
|
hash_result = hashlib.sha256(str(header)+str(nonce)).hexdigest()
|
|
|
|
|
2014-09-25 16:02:07 +00:00
|
|
|
# check if this is a valid result, below the target
|
2013-08-18 21:50:41 +00:00
|
|
|
if long(hash_result, 16) < target:
|
|
|
|
print "Success with nonce %d" % nonce
|
|
|
|
print "Hash is %s" % hash_result
|
2013-09-07 21:11:42 +00:00
|
|
|
return (hash_result,nonce)
|
2013-08-18 21:50:41 +00:00
|
|
|
|
|
|
|
print "Failed after %d (max_nonce) tries" % nonce
|
|
|
|
return nonce
|
|
|
|
|
|
|
|
|
|
|
|
if __name__ == '__main__':
|
|
|
|
|
2013-09-07 21:11:42 +00:00
|
|
|
nonce = 0
|
|
|
|
hash_result = ''
|
2014-09-25 16:02:07 +00:00
|
|
|
|
|
|
|
# difficulty from 0 to 31 bits
|
2013-09-07 21:11:42 +00:00
|
|
|
for difficulty_bits in xrange(32):
|
|
|
|
|
|
|
|
difficulty = 2 ** difficulty_bits
|
|
|
|
print "Difficulty: %ld (%d bits)" % (difficulty, difficulty_bits)
|
|
|
|
|
|
|
|
print "Starting search..."
|
2014-09-25 16:02:07 +00:00
|
|
|
|
|
|
|
# checkpoint the current time
|
2013-09-07 21:11:42 +00:00
|
|
|
start_time = time.time()
|
2014-09-25 16:02:07 +00:00
|
|
|
|
|
|
|
# make a new block which includes the hash from the previous block
|
|
|
|
# we fake a block of transactions - just a string
|
|
|
|
new_block = 'test block with transactions' + hash_result
|
|
|
|
|
|
|
|
# find a valid nonce for the new block
|
|
|
|
(hash_result, nonce) = proof_of_work(new_block, difficulty_bits)
|
|
|
|
|
|
|
|
# checkpoint how long it took to find a result
|
2013-09-07 21:11:42 +00:00
|
|
|
end_time = time.time()
|
2014-09-25 16:02:07 +00:00
|
|
|
|
2013-09-07 21:11:42 +00:00
|
|
|
elapsed_time = end_time - start_time
|
|
|
|
print "Elapsed Time: %.4f seconds" % elapsed_time
|
|
|
|
|
|
|
|
if elapsed_time > 0:
|
2014-09-25 16:02:07 +00:00
|
|
|
|
|
|
|
# estimate the hashes per second
|
2013-09-07 21:11:42 +00:00
|
|
|
hash_power = float(long(nonce)/elapsed_time)
|
|
|
|
print "Hashing Power: %ld hashes per second" % hash_power
|
2013-08-18 21:50:41 +00:00
|
|
|
|
|
|
|
|
|
|
|
|