forked from nemith/netconf
-
Notifications
You must be signed in to change notification settings - Fork 0
/
session.go
365 lines (304 loc) · 7.88 KB
/
session.go
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
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
package netconf
import (
"context"
"encoding/xml"
"errors"
"fmt"
"io"
"log"
"net"
"sync"
"syscall"
"github.com/nemith/netconf/transport"
)
var ErrClosed = errors.New("closed connection")
type sessionConfig struct {
capabilities []string
}
type SessionOption interface {
apply(*sessionConfig)
}
type capabilityOpt []string
func (o capabilityOpt) apply(cfg *sessionConfig) {
for _, cap := range o {
cfg.capabilities = append(cfg.capabilities, cap)
}
}
func WithCapability(capabilities ...string) SessionOption {
return capabilityOpt(capabilities)
}
// Session is represents a netconf session to a one given device.
type Session struct {
tr transport.Transport
sessionID uint64
clientCaps capabilitySet
serverCaps capabilitySet
mu sync.Mutex
seq uint64
reqs map[uint64]*req
closing bool
}
func newSession(transport transport.Transport, opts ...SessionOption) *Session {
cfg := sessionConfig{
capabilities: DefaultCapabilities,
}
for _, opt := range opts {
opt.apply(&cfg)
}
s := &Session{
tr: transport,
clientCaps: newCapabilitySet(cfg.capabilities...),
reqs: make(map[uint64]*req),
}
return s
}
// Open will create a new Session with th=e given transport and open it with the
// necessary hello messages.
func Open(transport transport.Transport, opts ...SessionOption) (*Session, error) {
s := newSession(transport, opts...)
// this needs a timeout of some sort.
if err := s.handshake(); err != nil {
s.tr.Close()
return nil, err
}
go s.recv()
return s, nil
}
// handshake exchanges handshake messages and reports if there are any errors.
func (s *Session) handshake() error {
clientMsg := HelloMsg{
Capabilities: s.clientCaps.All(),
}
if err := s.writeMsg(&clientMsg); err != nil {
return fmt.Errorf("failed to write hello message: %w", err)
}
r, err := s.tr.MsgReader()
if err != nil {
return err
}
// TODO: capture this error some how (ah defer and errors)
defer r.Close()
var serverMsg HelloMsg
if err := xml.NewDecoder(r).Decode(&serverMsg); err != nil {
return fmt.Errorf("failed to read server hello message: %w", err)
}
if serverMsg.SessionID == 0 {
return fmt.Errorf("server did not return a session-id")
}
if len(serverMsg.Capabilities) == 0 {
return fmt.Errorf("server did not return any capabilities")
}
s.serverCaps = newCapabilitySet(serverMsg.Capabilities...)
s.sessionID = serverMsg.SessionID
// upgrade the transport if we are on a larger version and the transport
// supports it.
const baseCap11 = baseCap + ":1.1"
if s.serverCaps.Has(baseCap11) && s.clientCaps.Has(baseCap11) {
if upgrader, ok := s.tr.(interface{ Upgrade() }); ok {
upgrader.Upgrade()
}
}
return nil
}
// SessionID returns the current session ID exchanged in the hello messages.
// Will return 0 if there is no session ID.
func (s *Session) SessionID() uint64 {
return s.sessionID
}
// ClientCapabilities will return the capabilities initialized with the session.
func (s *Session) ClientCapabilities() []string {
return s.clientCaps.All()
}
// ServerCapabilities will return the capabilities returned by the server in
// it's hello message.
func (s *Session) ServerCapabilities() []string {
return s.serverCaps.All()
}
// startElement will walk though a xml.Decode until it finds a start element
// and returns it.
func startElement(d *xml.Decoder) (*xml.StartElement, error) {
for {
tok, err := d.Token()
if err != nil {
return nil, err
}
if start, ok := tok.(xml.StartElement); ok {
return &start, nil
}
}
}
type req struct {
reply chan RPCReplyMsg
ctx context.Context
}
func (s *Session) recvMsg() error {
r, err := s.tr.MsgReader()
if err != nil {
return err
}
defer r.Close()
dec := xml.NewDecoder(r)
root, err := startElement(dec)
if err != nil {
return err
}
const ncNamespace = "urn:ietf:params:xml:ns:netconf:base:1.0"
switch root.Name {
/* Not supported yet. Will implement post beta release
case "notification":
var notif NotificationMsg
if err := dec.DecodeElement(¬if, root); err != nil {
log.Printf("failed to decode notification message: %v", err)
}
*/
case xml.Name{Space: ncNamespace, Local: "rpc-reply"}:
var reply RPCReplyMsg
if err := dec.DecodeElement(&reply, root); err != nil {
// What should we do here? Kill the connection?
return fmt.Errorf("failed to decode rpc-reply message: %w", err)
}
ok, req := s.req(reply.MessageID)
if !ok {
return fmt.Errorf("cannot find reply channel for message-id: %d", reply.MessageID)
}
select {
case req.reply <- reply:
return nil
case <-req.ctx.Done():
return fmt.Errorf("message %d context canceled: %s", reply.MessageID, req.ctx.Err().Error())
}
default:
return fmt.Errorf("unknown message type: %q", root.Name.Local)
}
}
// recv is the main receive loop. It runs concurrently to be able to handle
// interleaved messages (like notifications).
func (s *Session) recv() {
var err error
for {
err = s.recvMsg()
if errors.Is(err, io.EOF) || errors.Is(err, io.ErrUnexpectedEOF) {
break
}
if err != nil {
log.Printf("netconf: failed to read incoming message: %v", err)
}
}
s.mu.Lock()
defer s.mu.Unlock()
// Close all outstanding requests
for _, req := range s.reqs {
close(req.reply)
}
if !s.closing {
log.Printf("netconf: connection closed unexpectedly")
}
}
func (s *Session) req(msgID uint64) (bool, *req) {
s.mu.Lock()
defer s.mu.Unlock()
req, ok := s.reqs[msgID]
if !ok {
return false, nil
}
delete(s.reqs, msgID)
return true, req
}
func (s *Session) writeMsg(v any) error {
w, err := s.tr.MsgWriter()
if err != nil {
return err
}
if err := xml.NewEncoder(w).Encode(v); err != nil {
return err
}
return w.Close()
}
func (s *Session) send(ctx context.Context, msg *RPCMsg) (chan RPCReplyMsg, error) {
s.mu.Lock()
defer s.mu.Unlock()
s.seq++
msg.MessageID = s.seq
if err := s.writeMsg(msg); err != nil {
return nil, err
}
// cap of 1 makes sure we don't block on send
ch := make(chan RPCReplyMsg, 1)
s.reqs[msg.MessageID] = &req{
reply: ch,
ctx: ctx,
}
return ch, nil
}
// Do issues a low level RPC call taking in a full RPCMsg and returning the full
// RPCReplyMsg. In most cases `Session.Call` will do what you want handling
// errors and marshaling/unmarshaling your data.`
func (s *Session) Do(ctx context.Context, msg *RPCMsg) (*RPCReplyMsg, error) {
ch, err := s.send(ctx, msg)
if err != nil {
return nil, err
}
select {
case reply, ok := <-ch:
if !ok {
return nil, ErrClosed
}
return &reply, nil
case <-ctx.Done():
// remove any existing request
s.mu.Lock()
delete(s.reqs, msg.MessageID)
s.mu.Unlock()
return nil, ctx.Err()
}
}
// Call issues a rpc call for the given NETCONF operation and unmarshaling the
// response into `resp`.
func (s *Session) Call(ctx context.Context, op any, resp any) error {
msg := &RPCMsg{
Operation: op,
}
reply, err := s.Do(ctx, msg)
if err != nil {
return err
}
// return rpc errors if we have them
switch {
case len(reply.Errors) == 1:
return reply.Errors[0]
case len(reply.Errors) > 1:
return reply.Errors
}
// unmarshal the body
if resp != nil {
if err = xml.Unmarshal(reply.Body, resp); err != nil {
return err
}
}
return nil
}
// Close will gracefully close the sessions first by sending a `close-session`
// operation to the remote and then closing the underlying transport
func (s *Session) Close(ctx context.Context) error {
s.mu.Lock()
s.closing = true
s.mu.Unlock()
type closeSession struct {
XMLName xml.Name `xml:"close-session"`
}
// This may fail so save the error but still close the underlying transport.
rpcErr := s.Call(ctx, &closeSession{}, nil)
// Close the connection and ignore errors if the remote side hung up first.
if err := s.tr.Close(); err != nil &&
!errors.Is(err, net.ErrClosed) &&
!errors.Is(err, io.EOF) &&
!errors.Is(err, syscall.EPIPE) {
{
return err
}
}
if rpcErr != io.EOF {
return rpcErr
}
return nil
}