blockbook/blockbook.go

358 lines
9.7 KiB
Go
Raw Normal View History

2017-08-28 09:50:57 -06:00
package main
import (
"context"
"encoding/hex"
2017-08-28 09:50:57 -06:00
"flag"
"os"
"os/signal"
"syscall"
2017-08-28 09:50:57 -06:00
"time"
2017-09-12 18:50:34 -06:00
"github.com/juju/errors"
2018-01-31 07:23:17 -07:00
"blockbook/bchain"
2018-01-18 08:44:31 -07:00
"blockbook/db"
"blockbook/server"
"github.com/golang/glog"
2017-09-12 18:50:34 -06:00
"github.com/pkg/profile"
2017-08-28 09:50:57 -06:00
)
2018-02-06 01:12:50 -07:00
// resync index at least each resyncIndexPeriodMs (could be more often if invoked by message from ZeroMQ)
const resyncIndexPeriodMs = 935093
// debounce too close requests for resync
const debounceResyncIndexMs = 1009
// resync mempool at least each resyncIndexPeriodMs (could be more often if invoked by message from ZeroMQ)
const resyncMempoolPeriodMs = 60017
// debounce too close requests for resync mempool (ZeroMQ sends message for each tx, when new block there are many transactions)
const debounceResyncMempoolMs = 1009
2017-08-28 09:50:57 -06:00
var (
rpcURL = flag.String("rpcurl", "http://localhost:8332", "url of bitcoin RPC service")
rpcUser = flag.String("rpcuser", "rpc", "rpc username")
rpcPass = flag.String("rpcpass", "rpc", "rpc password")
rpcTimeout = flag.Uint("rpctimeout", 25, "rpc timeout in seconds")
dbPath = flag.String("path", "./data", "path to address index directory")
2018-03-01 10:37:01 -07:00
blockFrom = flag.Int("blockheight", -1, "height of the starting block")
2018-01-29 09:27:42 -07:00
blockUntil = flag.Int("blockuntil", -1, "height of the final block")
rollbackHeight = flag.Int("rollback", -1, "rollback to the given height and quit")
2017-10-05 06:35:07 -06:00
2017-08-28 09:50:57 -06:00
queryAddress = flag.String("address", "", "query contents of this address")
2018-01-31 07:03:06 -07:00
synchronize = flag.Bool("sync", false, "synchronizes until tip, if together with zeromq, keeps index synchronized")
repair = flag.Bool("repair", false, "repair the database")
prof = flag.Bool("prof", false, "profile program execution")
2017-10-06 04:57:51 -06:00
2018-02-26 08:44:25 -07:00
syncChunk = flag.Int("chunk", 100, "block chunk size for processing")
syncWorkers = flag.Int("workers", 8, "number of workers to process blocks")
dryRun = flag.Bool("dryrun", false, "do not index blocks, only download")
parse = flag.Bool("parse", false, "use in-process block parsing")
2018-01-18 08:44:31 -07:00
2018-02-07 14:56:17 -07:00
httpServerBinding = flag.String("httpserver", "", "http server binding [address]:port, (default no http server)")
2018-01-19 07:58:46 -07:00
2018-02-07 14:56:17 -07:00
socketIoBinding = flag.String("socketio", "", "socketio server binding [address]:port[/path], (default no socket.io server)")
2018-02-07 14:56:17 -07:00
certFiles = flag.String("certfile", "", "to enable SSL specify path to certificate files without extension, expecting <certfile>.crt and <certfile>.key, (default no SSL)")
2018-01-24 07:10:35 -07:00
zeroMQBinding = flag.String("zeromq", "", "binding to zeromq, if missing no zeromq connection")
2018-02-26 08:25:40 -07:00
explorerURL = flag.String("explorer", "", "address of the Bitcoin blockchain explorer")
2017-08-28 09:50:57 -06:00
)
2018-01-31 07:03:06 -07:00
var (
chanSyncIndex = make(chan struct{})
chanSyncMempool = make(chan struct{})
chanSyncIndexDone = make(chan struct{})
chanSyncMempoolDone = make(chan struct{})
chain *bchain.BitcoinRPC
mempool *bchain.Mempool
index *db.RocksDB
2018-03-01 10:37:01 -07:00
syncWorker *db.SyncWorker
callbacksOnNewBlockHash []func(hash string)
callbacksOnNewTxAddr []func(txid string, addr string)
2018-02-28 16:59:25 -07:00
chanOsSignal chan os.Signal
2018-01-31 07:03:06 -07:00
)
2017-08-28 09:50:57 -06:00
func main() {
flag.Parse()
// override setting for glog to log only to stderr, to match the http handler
flag.Lookup("logtostderr").Value.Set("true")
2018-01-31 07:03:06 -07:00
defer glog.Flush()
2018-02-28 16:59:25 -07:00
chanOsSignal = make(chan os.Signal, 1)
signal.Notify(chanOsSignal, syscall.SIGHUP, syscall.SIGINT, syscall.SIGQUIT, syscall.SIGTERM)
if *prof {
defer profile.Start().Stop()
2018-01-19 07:58:46 -07:00
}
2017-09-12 08:53:40 -06:00
if *repair {
if err := db.RepairRocksDB(*dbPath); err != nil {
glog.Fatalf("RepairRocksDB %s: %v", *dbPath, err)
2017-09-12 08:53:40 -06:00
}
return
}
2018-01-31 07:23:17 -07:00
chain = bchain.NewBitcoinRPC(
2017-10-05 06:35:07 -06:00
*rpcURL,
*rpcUser,
*rpcPass,
time.Duration(*rpcTimeout)*time.Second)
2017-08-28 09:50:57 -06:00
2017-10-07 03:05:35 -06:00
if *parse {
2018-01-31 07:23:17 -07:00
chain.Parser = &bchain.BitcoinBlockParser{
Params: bchain.GetChainParams()[0],
2017-10-07 03:05:35 -06:00
}
}
2018-01-31 09:51:48 -07:00
mempool = bchain.NewMempool(chain)
2018-01-31 07:03:06 -07:00
var err error
index, err = db.NewRocksDB(*dbPath)
2017-08-28 09:50:57 -06:00
if err != nil {
glog.Fatalf("NewRocksDB %v", err)
2017-08-28 09:50:57 -06:00
}
2018-01-31 07:03:06 -07:00
defer index.Close()
2017-08-28 09:50:57 -06:00
2018-01-29 09:27:42 -07:00
if *rollbackHeight >= 0 {
2018-01-31 07:03:06 -07:00
bestHeight, _, err := index.GetBestBlock()
2018-01-29 09:27:42 -07:00
if err != nil {
glog.Error("rollbackHeight: ", err)
return
2018-01-29 09:27:42 -07:00
}
if uint32(*rollbackHeight) > bestHeight {
glog.Infof("nothing to rollback, rollbackHeight %d, bestHeight: %d", *rollbackHeight, bestHeight)
2018-01-29 09:27:42 -07:00
} else {
2018-01-31 07:03:06 -07:00
err = index.DisconnectBlocks(uint32(*rollbackHeight), bestHeight)
2018-01-29 09:27:42 -07:00
if err != nil {
glog.Error("rollbackHeight: ", err)
return
2018-01-29 09:27:42 -07:00
}
}
return
}
2018-03-01 12:20:50 -07:00
syncWorker, err = db.NewSyncWorker(index, chain, *syncWorkers, *syncChunk, *blockFrom, *dryRun, chanOsSignal)
2018-03-01 10:37:01 -07:00
if err != nil {
glog.Fatalf("NewSyncWorker %v", err)
}
2018-01-31 07:03:06 -07:00
if *synchronize {
2018-03-01 10:37:01 -07:00
if err := syncWorker.ResyncIndex(nil); err != nil {
glog.Error("resyncIndex ", err)
return
2018-01-27 16:59:54 -07:00
}
}
var httpServer *server.HTTPServer
2018-01-24 07:10:35 -07:00
if *httpServerBinding != "" {
httpServer, err = server.NewHTTPServer(*httpServerBinding, *certFiles, index, mempool)
2018-01-18 08:44:31 -07:00
if err != nil {
glog.Error("https: ", err)
return
2018-01-18 08:44:31 -07:00
}
go func() {
err = httpServer.Run()
if err != nil {
2018-01-31 07:34:20 -07:00
if err.Error() == "http: Server closed" {
glog.Info(err)
} else {
glog.Error(err)
return
2018-01-31 07:34:20 -07:00
}
}
}()
2018-01-18 08:44:31 -07:00
}
var socketIoServer *server.SocketIoServer
if *socketIoBinding != "" {
2018-02-26 08:25:40 -07:00
socketIoServer, err = server.NewSocketIoServer(*socketIoBinding, *certFiles, index, mempool, chain, *explorerURL)
if err != nil {
glog.Error("socketio: ", err)
return
}
go func() {
err = socketIoServer.Run()
if err != nil {
if err.Error() == "http: Server closed" {
glog.Info(err)
} else {
glog.Error(err)
return
}
}
}()
callbacksOnNewBlockHash = append(callbacksOnNewBlockHash, socketIoServer.OnNewBlockHash)
callbacksOnNewTxAddr = append(callbacksOnNewTxAddr, socketIoServer.OnNewTxAddr)
}
if *synchronize {
// start the synchronization loops after the server interfaces are started
go syncIndexLoop()
go syncMempoolLoop()
// sync mempool immediately
chanSyncMempool <- struct{}{}
}
2018-01-31 07:23:17 -07:00
var mq *bchain.MQ
2018-01-24 07:10:35 -07:00
if *zeroMQBinding != "" {
2018-01-31 07:03:06 -07:00
if !*synchronize {
glog.Error("zeromq connection without synchronization does not make sense, ignoring zeromq parameter")
} else {
2018-01-31 07:23:17 -07:00
mq, err = bchain.NewMQ(*zeroMQBinding, mqHandler)
2018-01-31 07:03:06 -07:00
if err != nil {
glog.Error("mq: ", err)
return
2018-01-31 07:03:06 -07:00
}
}
}
2018-03-01 10:37:01 -07:00
if *blockFrom >= 0 {
2017-08-28 09:50:57 -06:00
if *blockUntil < 0 {
2018-03-01 10:37:01 -07:00
*blockUntil = *blockFrom
2017-08-28 09:50:57 -06:00
}
2018-03-01 10:37:01 -07:00
height := uint32(*blockFrom)
2017-08-28 09:50:57 -06:00
until := uint32(*blockUntil)
address := *queryAddress
if address != "" {
2018-01-31 07:23:17 -07:00
script, err := bchain.AddressToOutputScript(address)
if err != nil {
glog.Error("GetTransactions ", err)
return
}
2018-01-31 07:03:06 -07:00
if err = index.GetTransactions(script, height, until, printResult); err != nil {
glog.Error("GetTransactions ", err)
return
2017-08-28 09:50:57 -06:00
}
2018-01-31 07:03:06 -07:00
} else if !*synchronize {
2018-03-01 10:37:01 -07:00
if err = syncWorker.ConnectBlocksParallelInChunks(height, until); err != nil {
glog.Error("connectBlocksParallelInChunks ", err)
return
2017-08-28 09:50:57 -06:00
}
}
}
if httpServer != nil || socketIoServer != nil || mq != nil {
waitForSignalAndShutdown(httpServer, socketIoServer, mq, 5*time.Second)
}
2018-01-31 07:03:06 -07:00
2018-02-02 08:17:33 -07:00
if *synchronize {
close(chanSyncIndex)
close(chanSyncMempool)
<-chanSyncIndexDone
<-chanSyncMempoolDone
}
2018-01-31 07:03:06 -07:00
}
func tickAndDebounce(tickTime time.Duration, debounceTime time.Duration, input chan struct{}, f func()) {
timer := time.NewTimer(tickTime)
Loop:
for {
select {
case _, ok := <-input:
if !timer.Stop() {
<-timer.C
}
// exit loop on closed input channel
if !ok {
break Loop
}
// debounce for debounceTime
timer.Reset(debounceTime)
case <-timer.C:
// do the action and start the loop again
f()
timer.Reset(tickTime)
}
}
}
2018-01-31 09:51:48 -07:00
func syncIndexLoop() {
defer close(chanSyncIndexDone)
glog.Info("syncIndexLoop starting")
// resync index about every 15 minutes if there are no chanSyncIndex requests, with debounce 1 second
2018-02-06 01:12:50 -07:00
tickAndDebounce(resyncIndexPeriodMs*time.Millisecond, debounceResyncIndexMs*time.Millisecond, chanSyncIndex, func() {
2018-03-01 10:37:01 -07:00
if err := syncWorker.ResyncIndex(onNewBlockHash); err != nil {
glog.Error("syncIndexLoop ", errors.ErrorStack(err))
2018-01-31 09:51:48 -07:00
}
})
2018-01-31 09:51:48 -07:00
glog.Info("syncIndexLoop stopped")
}
func onNewBlockHash(hash string) {
for _, c := range callbacksOnNewBlockHash {
c(hash)
}
}
2018-01-31 09:51:48 -07:00
func syncMempoolLoop() {
defer close(chanSyncMempoolDone)
glog.Info("syncMempoolLoop starting")
// resync mempool about every minute if there are no chanSyncMempool requests, with debounce 1 second
2018-02-06 01:12:50 -07:00
tickAndDebounce(resyncMempoolPeriodMs*time.Millisecond, debounceResyncMempoolMs*time.Millisecond, chanSyncMempool, func() {
if err := mempool.Resync(onNewTxAddr); err != nil {
glog.Error("syncMempoolLoop ", errors.ErrorStack(err))
2018-01-31 09:51:48 -07:00
}
})
2018-01-31 09:51:48 -07:00
glog.Info("syncMempoolLoop stopped")
}
func onNewTxAddr(txid string, addr string) {
for _, c := range callbacksOnNewTxAddr {
c(txid, addr)
}
}
2018-01-31 07:23:17 -07:00
func mqHandler(m *bchain.MQMessage) {
body := hex.EncodeToString(m.Body)
glog.V(1).Infof("MQ: %s-%d %s", m.Topic, m.Sequence, body)
2018-01-31 07:03:06 -07:00
if m.Topic == "hashblock" {
2018-01-31 09:51:48 -07:00
chanSyncIndex <- struct{}{}
2018-01-31 07:03:06 -07:00
} else if m.Topic == "hashtx" {
2018-01-31 09:51:48 -07:00
chanSyncMempool <- struct{}{}
2018-01-31 07:03:06 -07:00
} else {
glog.Errorf("MQ: unknown message %s-%d %s", m.Topic, m.Sequence, body)
}
}
func waitForSignalAndShutdown(https *server.HTTPServer, socketio *server.SocketIoServer, mq *bchain.MQ, timeout time.Duration) {
2018-02-28 16:59:25 -07:00
sig := <-chanOsSignal
ctx, cancel := context.WithTimeout(context.Background(), timeout)
defer cancel()
glog.Infof("Shutdown: %v", sig)
if mq != nil {
if err := mq.Shutdown(); err != nil {
glog.Error("MQ.Shutdown error: ", err)
}
}
if https != nil {
if err := https.Shutdown(ctx); err != nil {
glog.Error("HttpServer.Shutdown error: ", err)
2018-01-18 12:32:10 -07:00
}
}
if socketio != nil {
if err := socketio.Shutdown(ctx); err != nil {
glog.Error("SocketIo.Shutdown error: ", err)
}
}
2017-08-28 09:50:57 -06:00
}
2018-02-03 11:14:27 -07:00
func printResult(txid string, vout uint32, isOutput bool) error {
glog.Info(txid, vout, isOutput)
2017-08-28 09:50:57 -06:00
return nil
}