chaincfg

package
v0.2.17 Latest Latest
Warning

This package is not in the latest version of its module.

Go to latest
Published: Dec 28, 2019 License: Unlicense Imports: 9 Imported by: 0

README

chaincfg

ISC License GoDoc

Package chaincfg defines chain configuration parameters for the three standard Parallelcoin networks and provides the ability for callers to define their own custom networks.

Although this package was primarily written for pod, it has intentionally been designed so it can be used as a standalone package for any projects needing to use parameters for the standard Bitcoin networks or for projects needing to define their own network.

Sample Use

package main
import (
"flag"
"fmt"
"github.com/bindchain/core/pkg/chain/config/netparams"
"log"




"github.com/bindchain/core/pkg/chain/config"
"git.parallelcoin.io/util"
)
var testnet = flag.Bool("testnet", false, "operate on the testnet Bitcoin network")
// By default (without -testnet), use mainnet.
var chainParams = &netparams.MainNetParams
func main(	) {
	flag.Parse()
	// Modify active network parameters if operating on testnet.
	if *testnet {
        chainParams = &netparams.TestNet3Params 
	}
	// later...
	// Create and print new payment address, specific to the active network.
	pubKeyHash := make([]byte, 20)
	addr, err := util.NewAddressPubKeyHash(pubKeyHash, chainParams)
	if err != nil {
		log.ERROR(err)
	}
	log.Println(addr)
}

Installation and Updating

$ go get -u github.com/bindchain/core/chaincfg

License

Package chaincfg is licensed under the copyfree ISC License.

Documentation

Overview

Package chaincfg defines chain configuration parameters. In addition to the main Bitcoin network, which is intended for the transfer of monetary value, there also exists two currently active standard networks: regression test and testnet (version 3). These networks are incompatible with each other (each sharing a different genesis block) and software should handle errors where input intended for one network is used on an application instance running on a different network. For library packages, chaincfg provides the ability to lookup chain parameters and encoding magics when passed a *Params. Older APIs not updated to the new convention of passing a *Params may lookup the parameters for a wire.BitcoinNet using ParamsForNet, but be aware that this usage is deprecated and will be removed from chaincfg in the future. For main packages, a (typically global) var may be assigned the address of one of the standard Param vars for use as the application's "active" network. When a network parameter is needed, it may then be looked up through this variable (either directly, or hidden in a library call).

package main
import (
        "flag"
        "fmt"
        "github.com/bindchain/core/pkg/util"
        "github.com/bindchain/core/pkg/chain/config"
)
var testnet = flag.Bool("testnet", false, "operate on the testnet Bitcoin network")
// By default (without -testnet), use mainnet.
var chainParams = &chaincfg.MainNetParams
func main() {
        flag.Parse()
        // Modify active network parameters if operating on testnet.
        if *testnet {
                chainParams = &chaincfg.TestNetParams
        }
        // later...
        // Create and print new payment address, specific to the active network.
        pubKeyHash := make([]byte, 20)
        addr, err := util.NewAddressPubKeyHash(pubKeyHash, chainParams)
        if err != nil {
                Log.Fatal <- err.Error()
        }
        log.Println(addr)
}

If an application does not use one of the three standard Bitcoin networks, a new Params struct may be created which defines the parameters for the non-standard network. As a general rule of thumb, all network parameters should be unique to the network, but parameter collisions can still occur (unfortunately, this is the case with regtest and testnet3 sharing magics).

Index

Constants

View Source
const (
	// DeploymentTestDummy defines the rule change deployment ID for testing purposes.
	DeploymentTestDummy = iota
	// DeploymentCSV defines the rule change deployment ID for the CSV soft-fork package. The CSV package includes the deployment of BIPS 68, 112, and 113.
	DeploymentCSV
	// DeploymentSegwit defines the rule change deployment ID for the Segregated Witness (segwit) soft-fork package. The segwit package includes the deployment of BIPS 141, 142, 144, 145, 147 and 173.
	DeploymentSegwit
	// NOTE: DefinedDeployments must always come last since it is used to determine how many defined deployments there currently are. DefinedDeployments is the number of currently defined deployments.
	DefinedDeployments
)

Constants that define the deployment offset in the deployments field of the parameters for each deployment. This is useful to be able to get the details of a specific deployment by name.

Variables

View Source
var (
	// ErrDuplicateNet describes an error where the parameters for a Bitcoin network could not be set due to the network already being a standard network or previously-registered into this package.
	ErrDuplicateNet = errors.New("duplicate Bitcoin network")
	// ErrUnknownHDKeyID describes an error where the provided id which is intended to identify the network for a hierarchical deterministic private extended key is not registered.
	ErrUnknownHDKeyID = errors.New("unknown hd private extended key bytes")

	// AllOnes is 32 bytes of 0xff, the maximum target
	AllOnes = func() big.Int {
		b := big.NewInt(1)
		t := make([]byte, 32)
		for i := range t {
			t[i] = ^byte(0)
		}
		b.SetBytes(t)
		return *b
	}()

	// MainPowLimit is the pre-hardfork pow limit
	MainPowLimit = mainPowLimit
	// MainPowLimitBits is the bits version of the above
	MainPowLimitBits = BigToCompact(&MainPowLimit)

	// ScryptPowLimit is the pre-hardfork maximum hash for Scrypt algorithm
	ScryptPowLimit = scryptPowLimit
	// ScryptPowLimitBits is the bits version of the above
	ScryptPowLimitBits = BigToCompact(&scryptPowLimit)

	// Interval is the number of blocks in the averaging window
	Interval int64 = 100
	// MaxAdjustDown is the percentage hard limit for downwards difficulty adjustment (ie 90%)
	MaxAdjustDown int64 = 10
	// MaxAdjustUp is the percentage hard limit for upwards (ie 120%)
	MaxAdjustUp int64 = 20
	// TargetTimePerBlock is the pre hardfork target time for blocks
	TargetTimePerBlock int64 = 300
	// AveragingInterval is the number of blocks to average (per algorithm)
	AveragingInterval int64 = 10
	// AveragingTargetTimespan is how many seconds for the averaging target interval
	AveragingTargetTimespan = TargetTimePerBlock * AveragingInterval
	// TargetTimespan is the base for adjustment
	TargetTimespan = Interval * TargetTimePerBlock
	// TestnetInterval is the number of blocks in the averaging window
	TestnetInterval int64 = 100
	// TestnetMaxAdjustDown is the percentage hard limit for downwards difficulty adjustment (ie 90%)
	TestnetMaxAdjustDown int64 = 10
	// TestnetMaxAdjustUp is the percentage hard limit for upwards (ie 120%)
	TestnetMaxAdjustUp int64 = 20
	// TestnetTargetTimePerBlock is the pre hardfork target time for blocks
	TestnetTargetTimePerBlock int64 = 9
	// TestnetAveragingInterval is the number of blocks to average (per algorithm)
	TestnetAveragingInterval int64 = 1600
	// TestnetAveragingTargetTimespan is how many seconds for the averaging target interval
	TestnetAveragingTargetTimespan = TestnetTargetTimePerBlock * TestnetAveragingInterval
	// TestnetTargetTimespan is the base for adjustment
	TestnetTargetTimespan = TestnetInterval * TestnetTargetTimePerBlock
)
View Source
var MainNetParams = Params{
	Name:        "mainnet",
	Net:         wire.MainNet,
	DefaultPort: "9997",
	DNSSeeds: []DNSSeed{
		{"seed1.parallelcoin.io", true},
		{"seed2.parallelcoin.io", true},
		{"seed3.parallelcoin.io", true},
		{"seed4.parallelcoin.io", true},
		{"seed5.parallelcoin.io", true},
	},

	GenesisBlock:             &genesisBlock,
	GenesisHash:              &genesisHash,
	PowLimit:                 &mainPowLimit,
	PowLimitBits:             MainPowLimitBits,
	BIP0034Height:            100000000,
	BIP0065Height:            100000000,
	BIP0066Height:            100000000,
	CoinbaseMaturity:         100,
	SubsidyReductionInterval: 250000,
	TargetTimespan:           TargetTimespan,
	TargetTimePerBlock:       TargetTimePerBlock,
	RetargetAdjustmentFactor: 2,
	ReduceMinDifficulty:      false,
	MinDiffReductionTime:     0,
	GenerateSupported:        true,

	Checkpoints: []Checkpoint{},

	RuleChangeActivationThreshold: 1916,
	MinerConfirmationWindow:       2016,
	Deployments: [DefinedDeployments]ConsensusDeployment{
		DeploymentTestDummy: {
			BitNumber:  28,
			StartTime:  1199145601,
			ExpireTime: 1230767999,
		},
		DeploymentCSV: {
			BitNumber:  0,
			StartTime:  1462060800,
			ExpireTime: 1493596800,
		},
		DeploymentSegwit: {
			BitNumber:  1,
			StartTime:  1479168000,
			ExpireTime: 1510704000,
		},
	},

	RelayNonStdTxs: false,

	Bech32HRPSegwit: "pc",

	PubKeyHashAddrID:        83,
	ScriptHashAddrID:        9,
	PrivateKeyID:            178,
	WitnessPubKeyHashAddrID: 84,
	WitnessScriptHashAddrID: 19,

	HDPrivateKeyID: [4]byte{0x04, 0x88, 0xad, 0xe4},
	HDPublicKeyID:  [4]byte{0x04, 0x88, 0xb2, 0x1e},

	HDCoinType: 0,

	Interval:                Interval,
	AveragingInterval:       AveragingInterval,
	AveragingTargetTimespan: AveragingTargetTimespan,
	MaxAdjustDown:           MaxAdjustDown,
	MaxAdjustUp:             MaxAdjustUp,
	TargetTimespanAdjDown: AveragingTargetTimespan *
		(Interval + MaxAdjustDown) / Interval,
	MinActualTimespan:  2400,
	MaxActualTimespan:  3300,
	ScryptPowLimit:     &scryptPowLimit,
	ScryptPowLimitBits: ScryptPowLimitBits,
}

MainNetParams defines the network parameters for the main Bitcoin network.

View Source
var TestNetParams = Params{
	Name:        "testnet",
	Net:         wire.TestNet,
	DefaultPort: "19997",
	DNSSeeds:    []DNSSeed{},

	GenesisBlock:             &testNetGenesisBlock,
	GenesisHash:              &testNetGenesisHash,
	PowLimit:                 &fork.SecondPowLimit,
	PowLimitBits:             fork.SecondPowLimitBits,
	BIP0034Height:            0,
	BIP0065Height:            0,
	BIP0066Height:            0,
	CoinbaseMaturity:         9,
	SubsidyReductionInterval: 250000,
	TargetTimespan:           TestnetTargetTimespan,
	TargetTimePerBlock:       TestnetTargetTimePerBlock,
	RetargetAdjustmentFactor: 2,
	ReduceMinDifficulty:      false,
	MinDiffReductionTime:     0,
	GenerateSupported:        true,

	Checkpoints: []Checkpoint{},

	RuleChangeActivationThreshold: 2,
	MinerConfirmationWindow:       2016,
	Deployments: [DefinedDeployments]ConsensusDeployment{
		DeploymentTestDummy: {
			BitNumber:  28,
			StartTime:  math.MaxInt64,
			ExpireTime: math.MaxInt64,
		},
		DeploymentCSV: {
			BitNumber:  29,
			StartTime:  math.MaxInt64,
			ExpireTime: math.MaxInt64,
		},
		DeploymentSegwit: {
			BitNumber:  29,
			StartTime:  math.MaxInt64,
			ExpireTime: math.MaxInt64,
		},
	},

	RelayNonStdTxs: true,

	Bech32HRPSegwit: "tb",

	PubKeyHashAddrID:        18,
	ScriptHashAddrID:        188,
	WitnessPubKeyHashAddrID: 0x03,
	WitnessScriptHashAddrID: 0x28,
	PrivateKeyID:            239,

	HDPrivateKeyID: [4]byte{0x04, 0x35, 0x83, 0x94},
	HDPublicKeyID:  [4]byte{0x04, 0x35, 0x87, 0xcf},

	HDCoinType: 1,

	Interval:                TestnetInterval,
	AveragingInterval:       TestnetAveragingInterval,
	AveragingTargetTimespan: TestnetAveragingTargetTimespan,
	MaxAdjustDown:           TestnetMaxAdjustDown,
	MaxAdjustUp:             TestnetMaxAdjustUp,
	TargetTimespanAdjDown:   TestnetAveragingTargetTimespan * (TestnetInterval + TestnetMaxAdjustDown) / TestnetInterval,
	MinActualTimespan:       TestnetAveragingTargetTimespan * (TestnetInterval - TestnetMaxAdjustUp) / TestnetInterval,
	MaxActualTimespan:       TestnetAveragingTargetTimespan * (TestnetInterval + TestnetMaxAdjustDown) / TestnetInterval,
	ScryptPowLimit:          &scryptPowLimit,
	ScryptPowLimitBits:      ScryptPowLimitBits,
}

TestNetParams defines the network parameters for the test Bitcoin network (version 3). Not to be confused with the regression test network, this network is sometimes simply called "testnet".

Functions

func BigToCompact

func BigToCompact(n *big.Int) uint32

BigToCompact converts a whole number N to a compact representation using an unsigned 32-bit number. The compact representation only provides 23 bits of precision, so values larger than (2^23 - 1) only encode the most significant digits of the number. See CompactToBig for details.

func CompactToBig

func CompactToBig(compact uint32) *big.Int

CompactToBig converts a compact representation of a whole number N to an unsigned 32-bit number. The representation is similar to IEEE754 floating point numbers. Like IEEE754 floating point, there are three basic components: the sign, the exponent, and the mantissa. They are broken out as follows:

  • the most significant 8 bits represent the unsigned base 256 exponent
  • bit 23 (the 24th bit) represents the sign bit
  • the least significant 23 bits represent the mantissa ------------------------------------------------- | Exponent | Sign | Mantissa | ------------------------------------------------- | 8 bits [31-24] | 1 bit [23] | 23 bits [22-00] | -------------------------------------------------

The formula to calculate N is:

N = (-1^sign) * mantissa * 256^(exponent-3)

This compact form is only used in bitcoin to encode unsigned 256-bit numbers which represent difficulty targets, thus there really is not a need for a sign bit, but it is implemented here to stay consistent with bitcoind.

func HDPrivateKeyToPublicKeyID

func HDPrivateKeyToPublicKeyID(id []byte) ([]byte, error)

HDPrivateKeyToPublicKeyID accepts a private hierarchical deterministic extended key id and returns the associated public key id. When the provided id is not registered, the ErrUnknownHDKeyID error will be returned.

func IsBech32SegwitPrefix

func IsBech32SegwitPrefix(prefix string) bool

IsBech32SegwitPrefix returns whether the prefix is a known prefix for segwit addresses on any default or registered network. This is used when decoding an address string into a specific address type.

func IsPubKeyHashAddrID

func IsPubKeyHashAddrID(id byte) bool

IsPubKeyHashAddrID returns whether the id is an identifier known to prefix a pay-to-pubkey-hash address on any default or registered network. This is used when decoding an address string into a specific address type. It is up to the caller to check both this and IsScriptHashAddrID and decide whether an address is a pubkey hash address, script hash address, neither, or undeterminable (if both return true).

func IsScriptHashAddrID

func IsScriptHashAddrID(id byte) bool

IsScriptHashAddrID returns whether the id is an identifier known to prefix a pay-to-script-hash address on any default or registered network. This is used when decoding an address string into a specific address type. It is up to the caller to check both this and IsPubKeyHashAddrID and decide whether an address is a pubkey hash address, script hash address, neither, or undeterminable (if both return true).

func Register

func Register(params *Params) error

Register registers the network parameters for a Bitcoin network. This may error with ErrDuplicateNet if the network is already registered (either due to a previous Register call, or the network being one of the default networks). Network parameters should be registered into this package by a main package as early as possible. Then, library packages may lookup networks or network parameters based on inputs and work regardless of the network being standard or not.

Types

type Checkpoint

type Checkpoint struct {
	Height int32
	Hash   *chainhash.Hash
}

Checkpoint identifies a known good point in the block chain. Using checkpoints allows a few optimizations for old blocks during initial download and also prevents forks from old blocks. Each checkpoint is selected based upon several factors. See the documentation for blockchain.IsCheckpointCandidate for details on the selection criteria.

type ConsensusDeployment

type ConsensusDeployment struct {
	// BitNumber defines the specific bit number within the block version this particular soft-fork deployment refers to.
	BitNumber uint8
	// StartTime is the median block time after which voting on the deployment starts.
	StartTime uint64
	// ExpireTime is the median block time after which the attempted deployment expires.
	ExpireTime uint64
}

ConsensusDeployment defines details related to a specific consensus rule change that is voted in. This is part of BIP0009.

type DNSSeed

type DNSSeed struct {
	// Host defines the hostname of the seed.
	Host string
	// HasFiltering defines whether the seed supports filtering by service flags (wire.ServiceFlag).
	HasFiltering bool
}

DNSSeed identifies a DNS seed.

func (DNSSeed) String

func (d DNSSeed) String() string

String returns the hostname of the DNS seed in human-readable form.

type Params

type Params struct {
	// Name defines a human-readable identifier for the network.
	Name string
	// Net defines the magic bytes used to identify the network.
	Net wire.BitcoinNet
	// DefaultPort defines the default peer-to-peer port for the network.
	DefaultPort string
	// DNSSeeds defines a list of DNS seeds for the network that are used
	// as one method to discover peers.
	DNSSeeds []DNSSeed
	// GenesisBlock defines the first block of the chain.
	GenesisBlock *wire.MsgBlock
	// GenesisHash is the starting block hash.
	GenesisHash *chainhash.Hash
	// PowLimit defines the highest allowed proof of work value for a // as a uint256.
	PowLimit *big.Int
	// PowLimitBits defines the highest allowed proof of work value for a block in compact form.
	PowLimitBits uint32
	// These fields define the block heights at which the specified softfork BIP became active.
	BIP0034Height int32
	BIP0065Height int32
	BIP0066Height int32
	// CoinbaseMaturity is the number of blocks required before newly mined coins (coinbase transactions) can be spent.
	CoinbaseMaturity uint16
	// SubsidyReductionInterval is the interval of blocks before the subsidy is reduced.
	SubsidyReductionInterval int32
	// TargetTimespan is the desired amount of time that should elapse before the block difficulty requirement is examined to determine how it should be changed in order to maintain the desired block generation rate.
	TargetTimespan int64
	// TargetTimePerBlock is the desired amount of time to generate each block. Same as TargetSpacing in legacy client.
	TargetTimePerBlock int64
	// RetargetAdjustmentFactor is the adjustment factor used to limit the minimum and maximum amount of adjustment that can occur between difficulty retargets.
	RetargetAdjustmentFactor int64
	// ReduceMinDifficulty defines whether the network should reduce the minimum required difficulty after a long enough period of time has passed without finding a block.  This is really only useful for test networks and should not be set on a main network.
	ReduceMinDifficulty bool
	// MinDiffReductionTime is the amount of time after which the minimum required difficulty should be reduced when a block hasn't been found. NOTE: This only applies if ReduceMinDifficulty is true.
	MinDiffReductionTime time.Duration
	// GenerateSupported specifies whether or not CPU mining is allowed.
	GenerateSupported bool
	// Checkpoints ordered from oldest to newest.
	Checkpoints []Checkpoint
	// These fields are related to voting on consensus rule changes as defined by BIP0009.
	//
	// RuleChangeActivationThreshold is the number of blocks in a threshold state retarget window for which a positive vote for a rule change must be cast in order to lock in a rule change. It should typically be 95% for the main network and 75% for test networks.
	RuleChangeActivationThreshold uint32
	// MinerConfirmationWindow is the number of blocks in each threshold state retarget window.
	MinerConfirmationWindow uint32
	// Deployments define the specific consensus rule changes to be voted on.
	Deployments [DefinedDeployments]ConsensusDeployment
	// Mempool parameters
	RelayNonStdTxs bool
	// Human-readable part for Bech32 encoded segwit addresses, as defined in BIP 173.
	Bech32HRPSegwit string
	// Address encoding magics
	PubKeyHashAddrID        byte // First byte of a P2PKH address
	ScriptHashAddrID        byte // First byte of a P2SH address
	PrivateKeyID            byte // First byte of a WIF private key
	WitnessPubKeyHashAddrID byte // First byte of a P2WPKH address
	WitnessScriptHashAddrID byte // First byte of a P2WSH address
	// BIP32 hierarchical deterministic extended key magics
	HDPrivateKeyID [4]byte
	HDPublicKeyID  [4]byte
	// BIP44 coin type used in the hierarchical deterministic path for address generation.
	HDCoinType uint32
	// Parallelcoin specific difficulty adjustment parameters
	Interval                int64
	AveragingInterval       int64
	AveragingTargetTimespan int64
	MaxAdjustDown           int64
	MaxAdjustUp             int64
	TargetTimespanAdjDown   int64
	MinActualTimespan       int64
	MaxActualTimespan       int64
	// PowLimit defines the highest allowed proof of work value for a scrypt block as a uint256.
	ScryptPowLimit     *big.Int
	ScryptPowLimitBits uint32
}

Params defines a Bitcoin network by its parameters. These parameters may be used by Bitcoin applications to differentiate networks as well as addresses and keys for one network from those intended for use on another network.

Directories

Path Synopsis

Jump to

Keyboard shortcuts

? : This menu
/ : Search site
f or F : Jump to
y or Y : Canonical URL