-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathproofofWork.go
83 lines (67 loc) · 1.61 KB
/
proofofWork.go
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
package main
import (
"bytes"
"crypto/sha256"
"fmt"
"math/big"
)
const targetBits = 16 // difficulty
const maxNonce = 1000000
type ProofOfWork struct {
block *Block
target *big.Int
}
func NewProofOfWork(b *Block) *ProofOfWork {
target := big.NewInt(1)
target.Lsh(target, uint(256-targetBits)) // left move
pow := &ProofOfWork{b, target}
return pow
}
func (pow *ProofOfWork) prepareData(nonce int) []byte {
data := bytes.Join(
[][]byte{
pow.block.PrevHash,
pow.block.Data,
IntToHex(pow.block.Time),
IntToHex(int64(targetBits)),
IntToHex(int64(nonce)),
},
[]byte{},
)
return data
}
func (pow *ProofOfWork) Run() (int, []byte) {
var hashInt big.Int
var hash [32]byte
nonce := 0
fmt.Printf("Mining the block containing \"%s\" \n", pow.block.Data)
/* 实现 Hashcash 算法:对 nonce 从 0 开始进行遍历,计算每一次哈希是否满足
条件
可能会用到的包及函数:big.Int.Cmp(),big.Int.SetBytes()
*/
for nonce < maxNonce {
data := pow.prepareData(nonce)
hash = sha256.Sum256(data)
fmt.Printf("\r%x", hash)
hashInt.SetBytes(hash[:])
if hashInt.Cmp(pow.target) == -1 {
// 比target小,说明零的个数必然大于target中前置零的个数
// 因为target是00...01
break
} else {
nonce++
}
}
fmt.Printf("\r%x", hash)
fmt.Print("\n\n")
return nonce, hash[:]
}
func (pow *ProofOfWork) Validate() bool {
var hashInt big.Int
var isValid bool
data := pow.prepareData(pow.block.Nonce)
hash := sha256.Sum256(data)
hashInt.SetBytes(hash[:])
isValid = (bytes.Equal(hash[:],pow.block.Hash)) && (hashInt.Cmp(pow.target) == -1)
return isValid
}