lotus/cmd/lotus-provider/run.go

304 lines
8.2 KiB
Go
Raw Normal View History

2023-08-23 23:57:34 +00:00
package main
import (
"fmt"
"net"
"net/http"
2023-08-23 23:57:34 +00:00
"os"
"strings"
2023-08-26 03:07:17 +00:00
"time"
2023-08-23 23:57:34 +00:00
2023-08-26 03:07:17 +00:00
"github.com/gin-contrib/pprof"
"github.com/gin-gonic/gin"
2023-10-16 15:28:58 +00:00
"github.com/pkg/errors"
2023-08-23 23:57:34 +00:00
"github.com/urfave/cli/v2"
"go.opencensus.io/stats"
"go.opencensus.io/tag"
"github.com/filecoin-project/go-address"
2023-08-23 23:57:34 +00:00
"github.com/filecoin-project/go-jsonrpc/auth"
"github.com/filecoin-project/lotus/api"
"github.com/filecoin-project/lotus/build"
lcli "github.com/filecoin-project/lotus/cli"
cliutil "github.com/filecoin-project/lotus/cli/util"
"github.com/filecoin-project/lotus/journal"
2023-10-25 22:10:52 +00:00
"github.com/filecoin-project/lotus/journal/alerting"
"github.com/filecoin-project/lotus/journal/fsjournal"
2023-08-23 23:57:34 +00:00
"github.com/filecoin-project/lotus/lib/harmony/harmonydb"
2023-08-26 03:07:17 +00:00
"github.com/filecoin-project/lotus/lib/harmony/harmonytask"
2023-08-23 23:57:34 +00:00
"github.com/filecoin-project/lotus/lib/ulimit"
"github.com/filecoin-project/lotus/metrics"
"github.com/filecoin-project/lotus/node"
"github.com/filecoin-project/lotus/node/config"
"github.com/filecoin-project/lotus/node/modules"
"github.com/filecoin-project/lotus/node/modules/dtypes"
2023-08-23 23:57:34 +00:00
"github.com/filecoin-project/lotus/node/repo"
2023-10-25 19:13:56 +00:00
"github.com/filecoin-project/lotus/provider"
2023-08-23 23:57:34 +00:00
"github.com/filecoin-project/lotus/storage/paths"
"github.com/filecoin-project/lotus/storage/sealer"
"github.com/filecoin-project/lotus/storage/sealer/ffiwrapper"
2023-08-23 23:57:34 +00:00
"github.com/filecoin-project/lotus/storage/sealer/storiface"
)
2023-10-16 15:28:58 +00:00
type stackTracer interface {
StackTrace() errors.StackTrace
}
2023-08-23 23:57:34 +00:00
var runCmd = &cli.Command{
Name: "run",
Usage: "Start a lotus provider process",
Flags: []cli.Flag{
&cli.StringFlag{
2023-08-30 04:16:05 +00:00
Name: "listen",
Usage: "host address and port the worker api will listen on",
Value: "0.0.0.0:12300",
EnvVars: []string{"LOTUS_WORKER_LISTEN"},
2023-08-23 23:57:34 +00:00
},
&cli.BoolFlag{
Name: "nosync",
Usage: "don't check full-node sync status",
},
2023-08-25 23:17:31 +00:00
&cli.BoolFlag{
Name: "halt-after-init",
Usage: "only run init, then return",
Hidden: true,
},
2023-08-23 23:57:34 +00:00
&cli.BoolFlag{
Name: "manage-fdlimit",
Usage: "manage open file limit",
Value: true,
},
2023-10-18 21:47:00 +00:00
&cli.StringSliceFlag{
Name: "layers",
Usage: "list of layers to be interpreted (atop defaults). Default: base",
Value: cli.NewStringSlice("base"),
},
&cli.StringFlag{
Name: "storage-json",
Usage: "path to json file containing storage config",
Value: "~/.lotus/storage.json",
},
2023-10-26 22:19:39 +00:00
&cli.StringFlag{
Name: "journal",
Usage: "path to journal files",
Value: "~/.lotus/",
},
2023-08-23 23:57:34 +00:00
},
2023-10-16 15:28:58 +00:00
Action: func(cctx *cli.Context) (err error) {
defer func() {
if err != nil {
if err, ok := err.(stackTracer); ok {
for _, f := range err.StackTrace() {
fmt.Printf("%+s:%d\n", f, f)
}
}
}
}()
2023-08-23 23:57:34 +00:00
if !cctx.Bool("enable-gpu-proving") {
err := os.Setenv("BELLMAN_NO_GPU", "true")
if err != nil {
return err
}
}
ctx, _ := tag.New(lcli.DaemonContext(cctx),
tag.Insert(metrics.Version, build.BuildVersion),
tag.Insert(metrics.Commit, build.CurrentCommit),
tag.Insert(metrics.NodeType, "provider"),
)
// Register all metric views
/*
if err := view.Register(
metrics.MinerNodeViews...,
); err != nil {
log.Fatalf("Cannot register the view: %v", err)
}
*/
// Set the metric to one so it is published to the exporter
stats.Record(ctx, metrics.LotusInfo.M(1))
if cctx.Bool("manage-fdlimit") {
if _, _, err := ulimit.ManageFdLimit(); err != nil {
log.Errorf("setting file descriptor limit: %s", err)
}
}
// Open repo
2023-09-27 03:06:00 +00:00
repoPath := cctx.String(FlagRepoPath)
2023-08-30 20:57:20 +00:00
fmt.Println("repopath", repoPath)
2023-08-23 23:57:34 +00:00
r, err := repo.NewFS(repoPath)
if err != nil {
return err
}
ok, err := r.Exists()
if err != nil {
return err
}
if !ok {
if err := r.Init(repo.Provider); err != nil {
return err
}
}
2023-09-20 03:48:39 +00:00
db, err := makeDB(cctx)
2023-08-23 23:57:34 +00:00
if err != nil {
return err
}
shutdownChan := make(chan struct{})
const unspecifiedAddress = "0.0.0.0"
listenAddr := cctx.String("listen")
addressSlice := strings.Split(listenAddr, ":")
2023-08-23 23:57:34 +00:00
if ip := net.ParseIP(addressSlice[0]); ip != nil {
if ip.String() == unspecifiedAddress {
2023-08-25 23:17:31 +00:00
rip, err := db.GetRoutableIP()
2023-08-23 23:57:34 +00:00
if err != nil {
return err
}
listenAddr = rip + ":" + addressSlice[1]
2023-08-23 23:57:34 +00:00
}
}
2023-08-30 04:16:05 +00:00
2023-10-26 22:19:39 +00:00
///////////////////////////////////////////////////////////////////////
///// Dependency Setup
///////////////////////////////////////////////////////////////////////
// The config feeds into task runners & their helpers
2023-10-16 15:28:58 +00:00
cfg, err := getConfig(cctx, db)
2023-09-20 03:48:39 +00:00
if err != nil {
return err
}
2023-09-05 16:29:39 +00:00
2023-10-16 15:28:58 +00:00
var verif storiface.Verifier = ffiwrapper.ProofVerifier
as, err := provider.AddressSelector(&cfg.Addresses)()
if err != nil {
return err
}
2023-10-16 15:28:58 +00:00
de, err := journal.ParseDisabledEvents(cfg.Journal.DisabledEvents)
if err != nil {
return err
}
2023-10-26 22:19:39 +00:00
j, err := fsjournal.OpenFSJournal2(cctx.String("journal"), de)
if err != nil {
return err
}
2023-10-16 15:28:58 +00:00
defer j.Close()
2023-10-25 22:10:52 +00:00
full, fullCloser, err := cliutil.GetFullNodeAPIV1LotusProvider(cctx, cfg.Apis.FULLNODE_API_INFO)
2023-10-16 15:28:58 +00:00
if err != nil {
return err
}
defer fullCloser()
2023-10-18 21:47:00 +00:00
sa, err := modules.StorageAuth(ctx, full)
if err != nil {
return err
}
2023-10-26 22:19:39 +00:00
al := alerting.NewAlertingSystem(j)
si := paths.NewIndexProxy(al, db, true)
bls := &paths.BasicLocalStorage{
PathToJSON: cctx.String("storage-json"),
}
2023-10-26 22:19:39 +00:00
localStore, err := paths.NewLocal(ctx, bls, si, []string{"http://" + listenAddr + "/remote"})
2023-10-16 15:28:58 +00:00
if err != nil {
return err
}
2023-10-27 16:22:39 +00:00
// todo fetch limit config
2023-10-26 22:19:39 +00:00
stor := paths.NewRemote(localStore, si, http.Header(sa), 10, &paths.DefaultPartialFileHandler{})
2023-10-27 16:22:39 +00:00
// todo localWorker isn't the abstraction layer we want to use here, we probably want to go straight to ffiwrapper
// maybe with a lotus-provider specific abstraction. LocalWorker does persistent call tracking which we probably
// don't need (ehh.. maybe we do, the async callback system may actually work decently well with harmonytask)
lw := sealer.NewLocalWorker(sealer.WorkerConfig{}, stor, localStore, si, nil, nil)
var maddrs []dtypes.MinerAddress
for _, s := range cfg.Addresses.MinerAddresses {
addr, err := address.NewFromString(s)
if err != nil {
return err
}
maddrs = append(maddrs, dtypes.MinerAddress(addr))
}
2023-10-26 22:19:39 +00:00
///////////////////////////////////////////////////////////////////////
///// Task Selection
///////////////////////////////////////////////////////////////////////
var activeTasks []harmonytask.TaskInterface
{
if cfg.Subsystems.EnableWindowPost {
wdPostTask, err := provider.WindowPostScheduler(ctx, cfg.Fees, cfg.Proving, full, verif, lw,
as, maddrs, db, stor, si)
2023-10-26 22:19:39 +00:00
if err != nil {
return err
}
activeTasks = append(activeTasks, wdPostTask)
}
}
taskEngine, err := harmonytask.New(db, activeTasks, listenAddr)
if err != nil {
return err
}
2023-08-26 03:07:17 +00:00
handler := gin.New()
defer taskEngine.GracefullyTerminate(time.Hour)
2023-08-23 23:57:34 +00:00
fh := &paths.FetchHandler{Local: localStore, PfHandler: &paths.DefaultPartialFileHandler{}}
2023-08-26 03:07:17 +00:00
handler.NoRoute(gin.HandlerFunc(func(c *gin.Context) {
if !auth.HasPerm(c, nil, api.PermAdmin) {
c.JSON(401, struct{ Error string }{"unauthorized: missing admin permission"})
2023-08-23 23:57:34 +00:00
return
}
2023-08-26 03:07:17 +00:00
fh.ServeHTTP(c.Writer, c.Request)
}))
2023-08-23 23:57:34 +00:00
// local APIs
{
// debugging
2023-08-26 03:07:17 +00:00
handler.GET("/debug/metrics", gin.WrapH(metrics.Exporter()))
pprof.Register(handler)
2023-08-23 23:57:34 +00:00
}
// Serve the RPC.
2023-08-30 20:57:20 +00:00
/*
endpoint, err := r.APIEndpoint()
fmt.Println("Endpoint: ", endpoint)
if err != nil {
return fmt.Errorf("getting API endpoint: %w", err)
}
rpcStopper, err := node.ServeRPC(handler, "lotus-provider", endpoint)
if err != nil {
return fmt.Errorf("failed to start json-rpc endpoint: %s", err)
}
*/
2023-08-23 23:57:34 +00:00
// Monitor for shutdown.
2023-10-26 22:19:39 +00:00
// TODO provide a graceful shutdown API on shutdownChan
2023-08-30 20:57:20 +00:00
finishCh := node.MonitorShutdown(shutdownChan) //node.ShutdownHandler{Component: "rpc server", StopFunc: rpcStopper},
//node.ShutdownHandler{Component: "provider", StopFunc: stop},
2023-08-23 23:57:34 +00:00
<-finishCh
2023-08-23 23:57:34 +00:00
return nil
},
}
2023-09-20 03:48:39 +00:00
func makeDB(cctx *cli.Context) (*harmonydb.DB, error) {
dbConfig := config.HarmonyDB{
Username: cctx.String("db-user"),
Password: cctx.String("db-password"),
Hosts: strings.Split(cctx.String("db-host"), ","),
Database: cctx.String("db-name"),
Port: cctx.String("db-port"),
}
return harmonydb.NewFromConfig(dbConfig)
}