blockchain_go/transaction.go

110 lines
2.3 KiB
Go
Raw Normal View History

2017-09-02 21:20:47 -05:00
package main
import (
"bytes"
"crypto/sha256"
"encoding/gob"
2017-09-02 22:41:45 -05:00
"encoding/hex"
2017-09-03 23:02:24 -05:00
"fmt"
"log"
)
2017-09-02 21:20:47 -05:00
const subsidy = 10
// Transaction represents a Bitcoin transaction
type Transaction struct {
Vin []TXInput
Vout []TXOutput
}
// IsCoinbase checks whether the transaction is coinbase
func (tx Transaction) IsCoinbase() bool {
2017-09-02 22:41:45 -05:00
return len(tx.Vin) == 1 && len(tx.Vin[0].Txid) == 0 && tx.Vin[0].Vout == -1
2017-09-02 21:20:47 -05:00
}
// GetHash hashes the transaction and returns the hash
func (tx Transaction) GetHash() []byte {
var encoded bytes.Buffer
var hash [32]byte
enc := gob.NewEncoder(&encoded)
err := enc.Encode(tx)
if err != nil {
log.Panic(err)
}
hash = sha256.Sum256(encoded.Bytes())
return hash[:]
}
2017-09-02 21:20:47 -05:00
// TXInput represents a transaction input
type TXInput struct {
2017-09-02 22:41:45 -05:00
Txid []byte
2017-09-02 21:20:47 -05:00
Vout int
ScriptSig string
}
// TXOutput represents a transaction output
type TXOutput struct {
Value int
ScriptPubKey string
}
// CanUnlockOutputWith checks whether the address initiated the transaction
func (in *TXInput) CanUnlockOutputWith(unlockingData string) bool {
return in.ScriptSig == unlockingData
2017-09-02 22:41:45 -05:00
}
// CanBeUnlockedWith checks if the output can be unlocked with the provided data
func (out *TXOutput) CanBeUnlockedWith(unlockingData string) bool {
2017-09-02 21:20:47 -05:00
return out.ScriptPubKey == unlockingData
}
// NewCoinbaseTX creates a new coinbase transaction
func NewCoinbaseTX(to, data string) *Transaction {
if data == "" {
2017-09-03 23:02:24 -05:00
data = fmt.Sprintf("Reward to '%s'", to)
}
2017-09-02 22:41:45 -05:00
txin := TXInput{[]byte{}, -1, data}
2017-09-02 21:20:47 -05:00
txout := TXOutput{subsidy, to}
tx := Transaction{[]TXInput{txin}, []TXOutput{txout}}
return &tx
}
// NewUTXOTransaction creates a new transaction
2017-09-02 22:41:45 -05:00
func NewUTXOTransaction(from, to string, value int, bc *Blockchain) *Transaction {
2017-09-02 21:20:47 -05:00
var inputs []TXInput
var outputs []TXOutput
2017-09-02 22:41:45 -05:00
acc, validOutputs := bc.FindUTXOs(from, value)
2017-09-02 21:20:47 -05:00
if acc < value {
log.Panic("ERROR: Not enough funds")
}
// Build a list of inputs
for txid, outs := range validOutputs {
for _, out := range outs {
2017-09-03 23:02:24 -05:00
txID, err := hex.DecodeString(txid)
2017-09-02 22:41:45 -05:00
if err != nil {
log.Panic(err)
}
2017-09-03 23:02:24 -05:00
input := TXInput{txID, out, from}
2017-09-02 21:20:47 -05:00
inputs = append(inputs, input)
}
}
// Build a list of outputs
outputs = append(outputs, TXOutput{value, to})
if acc > value {
outputs = append(outputs, TXOutput{acc - value, from}) // a change
}
tx := Transaction{inputs, outputs}
return &tx
}