forked from Gridflare/lndpytools
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathnodeinterface.py
214 lines (159 loc) · 7.33 KB
/
nodeinterface.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
#!/usr/bin/env python3
"""
This is a wrapper around LND's gRPC interface
It is incomplete and largely untested, read-only usage is highly recommended
"""
import os
import configparser
from functools import lru_cache
import codecs
import grpc
from lnrpc_generated import lightning_pb2 as ln, lightning_pb2_grpc as lnrpc
from lnrpc_generated.walletrpc import walletkit_pb2 as walletrpc, walletkit_pb2_grpc as walletkitstub
from lnrpc_generated.routerrpc import router_pb2 as routerrpc,router_pb2_grpc as routerstub
MSGMAXMB = 50 * 1024 * 1024
LNDDIR = os.path.expanduser('~/.lnd')
class BaseInterface:
"""A class that tries to intelligently call functions from an LND service
This introspection does not work in many cases.
"""
def __getattr__(self, cmd):
"""
Some magic for undefined functions, QOL hack
"""
if hasattr(self._rpc, cmd+'Request'):
lnfunc = getattr(self._rpc, cmd+'Request')
elif hasattr(self._rpc, f'Get{cmd}Request'):
lnfunc = getattr(self._rpc, f'Get{cmd}Request')
else:
raise NotImplementedError('Unhandled method self._rpc.(Get)' + cmd + 'Request')
if hasattr(self._stub, cmd):
stubfunc = getattr(self._stub, cmd)
def rpcCommand(*args,**kwargs):
return stubfunc(lnfunc(*args, **kwargs))
return rpcCommand
elif hasattr(self._stub, 'Get'+cmd):
stubfunc = getattr(self._stub, 'Get'+cmd)
def rpcCommand(*args,**kwargs):
if args:
raise TypeError('Cannot use positional arguments with this command')
return stubfunc(lnfunc(**kwargs))
return rpcCommand
else:
raise NotImplementedError('Unhandled method stub.(Get)' + cmd)
class SubserverRPC(BaseInterface):
"""
Generic class for subservers, may need to be extended in the future
"""
def __init__(self, subRPC, substub):
self._rpc = subRPC
self._stub = substub
class MinimalNodeInterface(BaseInterface):
"""A class implementing the bare minimum to communicate with LND over RPC"""
def __init__(self, server=None, tlspath=None, macpath=None, cachedir='_cache'):
if server is None: server = 'localhost:10009'
if tlspath is None: tlspath = LNDDIR + '/tls.cert'
if macpath is None: macpath = LNDDIR + '/data/chain/bitcoin/mainnet/admin.macaroon'
assert os.path.isfile(tlspath), tlspath + ' does not exist!'
assert os.path.isfile(macpath), macpath + ' does not exist!'
assert tlspath.endswith(('.cert','.crt'))
assert macpath.endswith('.macaroon')
tlsCert = open(tlspath, 'rb').read()
sslCred = grpc.ssl_channel_credentials(tlsCert)
macaroon = codecs.encode(open(macpath, 'rb').read(), 'hex')
authCred = grpc.metadata_call_credentials(
lambda _, callback: callback(
[('macaroon', macaroon)], None))
masterCred = grpc.composite_channel_credentials(sslCred, authCred)
os.environ['GRPC_SSL_CIPHER_SUITES'] = 'HIGH+ECDSA'
options = [
('grpc.max_message_length', MSGMAXMB),
('grpc.max_receive_message_length', MSGMAXMB)
]
grpc_channel = grpc.secure_channel(server, masterCred, options)
self._stub = lnrpc.LightningStub(grpc_channel)
self._rpc = ln
self.wallet = SubserverRPC(walletrpc, walletkitstub.WalletKitStub(grpc_channel))
self.router = SubserverRPC(routerrpc, routerstub.RouterStub(grpc_channel))
if not os.path.exists(cachedir):
os.mkdir(cachedir)
self.cachedir = cachedir
@classmethod
def fromconfig(cls, conffile='node.conf', nodename='Node1'):
if not os.path.isfile(conffile):
print('Config for lnd not found, will create', conffile)
config = configparser.ConfigParser()
config[nodename] = {'server': 'localhost:10009',
'macpath': LNDDIR + '/data/chain/bitcoin/mainnet/readonly.macaroon',
'tlspath': LNDDIR + '/tls.cert',
}
with open(conffile, 'w') as cf:
config.write(cf)
print('Please check/complete the config and rerun')
print('If running remotely you will need a local copy of your macaroon and tls.cert')
print('Using readonly.macaroon is recommended unless you know what you are doing.')
exit()
else:
config = configparser.ConfigParser()
config.read(conffile)
return cls(**config[nodename])
class BasicNodeInterface(MinimalNodeInterface):
"""A subclass of MinimalNodeInterface implementing missing methods"""
def UpdateChannelPolicy(self, **kwargs):
if 'chan_point' in kwargs and isinstance(kwargs['chan_point'], str):
cp = kwargs['chan_point']
kwargs['chan_point'] = ln.ChannelPoint(
funding_txid_str=cp.split(':')[0],
output_index=int(cp.split(':')[1])
)
return self._stub.UpdateChannelPolicy(ln.PolicyUpdateRequest(**kwargs))
def DescribeGraph(self, include_unannounced=True):
return self._stub.DescribeGraph(
ln.ChannelGraphRequest(include_unannounced=include_unannounced))
def getForwardingHistory(self, starttime):
"""Same as the bare metal method, but this one pages automatically"""
fwdhist = []
offset = 0
def getfwdbatch(starttime, pageOffset):
fwdbatch = self.ForwardingHistory(
start_time=starttime,
index_offset=pageOffset,
).forwarding_events
return fwdbatch
# requires Python 3.8+
# ~ while (fwdbatch := getfwdbatch(starttime, offset)):
# ~ offset += len(fwdbatch)
# ~ fwdhist.extend(fwdbatch)
fwdbatch = getfwdbatch(starttime, offset)
while fwdbatch:
offset += len(fwdbatch)
fwdhist.extend(fwdbatch)
fwdbatch = getfwdbatch(starttime, offset)
return fwdhist
def ListInvoices(self, **kwargs):
"""Wrapper required due to inconsistent naming"""
return self._stub.ListInvoices(ln.ListInvoiceRequest(**kwargs))
class AdvancedNodeInterface(BasicNodeInterface):
"""Class implementing recombinant methods not directly available from LND"""
def __init__(self, *args, **kwargs):
super().__init__(*args,**kwargs)
@lru_cache(maxsize=256)
def getAlias(self, pubkey=None):
if pubkey is None:
return self.GetInfo().alias
else:
return self._stub.GetNodeInfo(ln.NodeInfoRequest(pub_key=pubkey)).node.alias
def getNeighboursInfo(self,pubkey=None):
"""Return more useful info about our, or another node's, neighbours"""
return list(map(self.GetNodeInfo, self.getNeighboursPubkeys(pubkey)))
class NodeInterface(AdvancedNodeInterface):
"""
A class streamlining the LND RPC interface
Alias for AdvancedNodeInterface
Methods that are forwarded directly to LND are capitalised e.g. GetInfo()
Methods that process the data in any way use lowerCamelCase e.g. getAlias()
"""
if __name__ == '__main__':
# Testing connectivity
ni = NodeInterface.fromconfig()
print('Connected to node', ni.getAlias())