👍 go run blockchain.go 
true
👍 cat blockchain.go 
package main
import (
  "crypto/sha256"
  "encoding/json"
  "fmt"
  "strconv"
  "strings"
  "time"
)
type Block struct {
  data map[string]interface{}
  hash string
  previousHash string
  timestamp time.Time
  pow int
}
func (b Block) calculateHash() string{
  data, _ := json.Marshal(b.data)
  blockData := b.previousHash 
    + string(data) 
    + b.timestamp.String() 
    + strconv.Itoa(b.pow)
  blockHash := 
    sha256.Sum256([]byte(blockData))
  return fmt.Sprintf("%x", blockHash)
}
func (b *Block) mine(difficulty int){
  for !strings.HasPrefix(b.hash, 
    strings.Repeat("0", difficulty)){
    b.pow++
    b.hash = b.calculateHash()
  }
}
type Blockchain struct {
  genesisBlock Block
  chain []Block
  difficulty int
}
func CreateBlockchain(
  difficulty int) Blockchain {
  genesisBlock := Block{
    hash: "0",
    timestamp: time.Now(),
  }
  return Blockchain{
    genesisBlock,
    []Block{genesisBlock},
    difficulty,
  }
}
func (b *Blockchain) addBlock(
  from, to string, amout float64) {
  blockData := map[string]interface{}{
    "from": from,
    "to": to,
    "amout": amout,
  }
  lastBlock := b.chain[len(b.chain)-1]
  newBlock := Block{
    data: blockData,
    previousHash: lastBlock.hash,
    timestamp: time.Now(),
  }
  newBlock.mine(b.difficulty)
  b.chain = append(b.chain, newBlock)
}
func (b Blockchain) isValid() bool {
  for i := range b.chain[1:] {
    previousBlock := b.chain[i]
    currentBlock := b.chain[i+1]
    if currentBlock.hash != 
      currentBlock.calculateHash() || 
      currentBlock.previousHash != 
      previousBlock.hash {
      return false
    }
  }
  return true
}
func main() {
  blockchain := CreateBlockchain(2)
  blockchain.addBlock("Alice","Bob",5)
  blockchain.addBlock("John","Bob",2)
  fmt.Println(blockchain.isValid())
}