You cannot select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
regolancer/channels.go

87 lines
2.0 KiB
Go

2 years ago
package main
import (
"context"
"math"
"math/rand"
"time"
"github.com/lightningnetwork/lnd/lnrpc"
)
func (r *regolancer) getChannels(ctx context.Context) error {
ctx, cancel := context.WithTimeout(ctx, time.Second*30)
2 years ago
defer cancel()
channels, err := r.lnClient.ListChannels(ctx, &lnrpc.ListChannelsRequest{ActiveOnly: true, PublicOnly: true})
if err != nil {
return err
}
r.channels = channels.Channels
return nil
}
func makeChanSet(chanIds []uint64) (result map[uint64]struct{}) {
result = map[uint64]struct{}{}
for _, cid := range chanIds {
result[cid] = struct{}{}
}
return
}
func (r *regolancer) getChannelCandidates(fromPerc, toPerc, amount int64) error {
2 years ago
for _, c := range r.channels {
if _, ok := r.excludeBoth[c.ChanId]; ok {
continue
}
2 years ago
if c.LocalBalance < c.Capacity*toPerc/100 && c.LocalBalance+amount < c.Capacity/2 {
if _, ok := r.excludeIn[c.ChanId]; ok {
continue
}
2 years ago
r.toChannels = append(r.toChannels, c)
}
if c.RemoteBalance < c.Capacity*fromPerc/100 && c.RemoteBalance-amount < c.Capacity/2 {
if _, ok := r.excludeOut[c.ChanId]; ok {
continue
}
2 years ago
r.fromChannels = append(r.fromChannels, c)
}
}
return nil
}
func min(args ...int64) (result int64) {
result = math.MaxInt64
for _, a := range args {
if a < result {
result = a
}
}
return
}
func (r *regolancer) pickChannelPair(ctx context.Context, amount int64) (from uint64, to uint64, maxAmount int64, err error) {
var fromChan, toChan *lnrpc.Channel
for {
select {
case <-ctx.Done():
return 0, 0, 0, ctx.Err()
default:
}
fromIdx := rand.Int31n(int32(len(r.fromChannels)))
toIdx := rand.Int31n(int32(len(r.toChannels)))
fromChan = r.fromChannels[fromIdx]
toChan = r.toChannels[toIdx]
if !r.isFailedRoute(fromChan.ChanId, toChan.ChanId) {
break
}
}
2 years ago
maxFrom := fromChan.Capacity/2 - fromChan.RemoteBalance
maxTo := toChan.Capacity/2 - toChan.LocalBalance
if amount == 0 {
maxAmount = min(maxFrom, maxTo)
} else {
maxAmount = min(maxFrom, maxTo, amount)
}
return fromChan.ChanId, toChan.ChanId, maxAmount, nil
2 years ago
}