-
Notifications
You must be signed in to change notification settings - Fork 1.8k
/
Copy pathctx.go
776 lines (645 loc) · 23.5 KB
/
ctx.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
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
/*
Copyright 2015 Gravitational, Inc.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/
package srv
import (
"context"
"fmt"
"io"
"net"
"os"
"sync"
"sync/atomic"
"time"
"golang.org/x/crypto/ssh"
"github.com/gravitational/teleport"
"github.com/gravitational/teleport/lib/auth"
"github.com/gravitational/teleport/lib/bpf"
"github.com/gravitational/teleport/lib/defaults"
"github.com/gravitational/teleport/lib/events"
"github.com/gravitational/teleport/lib/pam"
"github.com/gravitational/teleport/lib/services"
rsession "github.com/gravitational/teleport/lib/session"
"github.com/gravitational/teleport/lib/sshutils"
"github.com/gravitational/teleport/lib/utils"
"github.com/gravitational/trace"
"github.com/jonboulle/clockwork"
"github.com/prometheus/client_golang/prometheus"
log "github.com/sirupsen/logrus"
)
var ctxID int32
var (
serverTX = prometheus.NewCounter(
prometheus.CounterOpts{
Name: "tx",
Help: "Number of bytes transmitted.",
},
)
serverRX = prometheus.NewCounter(
prometheus.CounterOpts{
Name: "rx",
Help: "Number of bytes received.",
},
)
)
func init() {
prometheus.MustRegister(serverTX)
prometheus.MustRegister(serverRX)
}
// Server is regular or forwarding SSH server.
type Server interface {
// Emitter allows server to emit audit events and create
// event streams for recording sessions
events.StreamEmitter
// ID is the unique ID of the server.
ID() string
// HostUUID is the UUID of the underlying host. For the the forwarding
// server this is the proxy the forwarding server is running in.
HostUUID() string
// GetNamespace returns the namespace the server was created in.
GetNamespace() string
// AdvertiseAddr is the publicly addressable address of this server.
AdvertiseAddr() string
// Component is the type of server, forwarding or regular.
Component() string
// PermitUserEnvironment returns if reading environment variables upon
// startup is allowed.
PermitUserEnvironment() bool
// GetAccessPoint returns an auth.AccessPoint for this cluster.
GetAccessPoint() auth.AccessPoint
// GetSessionServer returns a session server.
GetSessionServer() rsession.Service
// GetDataDir returns data directory of the server
GetDataDir() string
// GetPAM returns PAM configuration for this server.
GetPAM() (*pam.Config, error)
// GetClock returns a clock setup for the server
GetClock() clockwork.Clock
// GetInfo returns a services.Server that represents this server.
GetInfo() services.Server
// UseTunnel used to determine if this node has connected to this cluster
// using reverse tunnel.
UseTunnel() bool
// GetBPF returns the BPF service used for enhanced session recording.
GetBPF() bpf.BPF
// Context returns server shutdown context
Context() context.Context
}
// IdentityContext holds all identity information associated with the user
// logged on the connection.
type IdentityContext struct {
// TeleportUser is the Teleport user associated with the connection.
TeleportUser string
// Login is the operating system user associated with the connection.
Login string
// Certificate is the SSH user certificate bytes marshalled in the OpenSSH
// authorized_keys format.
Certificate []byte
// CertAuthority is the Certificate Authority that signed the Certificate.
CertAuthority services.CertAuthority
// RoleSet is the roles this Teleport user is associated with. RoleSet is
// used to check RBAC permissions.
RoleSet services.RoleSet
// CertValidBefore is set to the expiry time of a certificate, or
// empty, if cert does not expire
CertValidBefore time.Time
// RouteToCluster is derived from the certificate
RouteToCluster string
}
// GetCertificate parses the SSH certificate bytes and returns a *ssh.Certificate.
func (c IdentityContext) GetCertificate() (*ssh.Certificate, error) {
k, _, _, _, err := ssh.ParseAuthorizedKey(c.Certificate)
if err != nil {
return nil, trace.Wrap(err)
}
cert, ok := k.(*ssh.Certificate)
if !ok {
return nil, trace.BadParameter("not a certificate")
}
return cert, nil
}
// ServerContext holds session specific context, such as SSH auth agents, PTYs,
// and other resources. SessionContext also holds a ServerContext which can be
// used to access resources on the underlying server. SessionContext can also
// be used to attach resources that should be closed once the session closes.
type ServerContext struct {
// ConnectionContext is the parent context which manages connection-level
// resources.
*sshutils.ConnectionContext
*log.Entry
sync.RWMutex
// env is a list of environment variables passed to the session.
env map[string]string
// srv is the server that is holding the context.
srv Server
// id is the server specific incremental session id.
id int
// term holds PTY if it was requested by the session.
term Terminal
// session holds the active session (if there's an active one).
session *session
// closers is a list of io.Closer that will be called when session closes
// this is handy as sometimes client closes session, in this case resources
// will be properly closed and deallocated, otherwise they could be kept hanging.
closers []io.Closer
// Identity holds the identity of the user that is currently logged in on
// the Conn.
Identity IdentityContext
// ExecResultCh is a Go channel which will be used to send and receive the
// result of a "exec" request.
ExecResultCh chan ExecResult
// SubsystemResultCh is a Go channel which will be used to send and receive
// the result of a "subsystem" request.
SubsystemResultCh chan SubsystemResult
// IsTestStub is set to true by tests.
IsTestStub bool
// ExecRequest is the command to be executed within this session context.
ExecRequest Exec
// ClusterName is the name of the cluster current user is authenticated with.
ClusterName string
// ClusterConfig holds the cluster configuration at the time this context was
// created.
ClusterConfig services.ClusterConfig
// RemoteClient holds a SSH client to a remote server. Only used by the
// recording proxy.
RemoteClient *ssh.Client
// RemoteSession holds a SSH session to a remote server. Only used by the
// recording proxy.
RemoteSession *ssh.Session
// clientLastActive records the last time there was activity from the client
clientLastActive time.Time
// disconnectExpiredCert is set to time when/if the certificate should
// be disconnected, set to empty if no disconect is necessary
disconnectExpiredCert time.Time
// clientIdleTimeout is set to the timeout on
// on client inactivity, set to 0 if not setup
clientIdleTimeout time.Duration
// cancelContext signals closure to all outstanding operations
cancelContext context.Context
// cancel is called whenever server context is closed
cancel context.CancelFunc
// termAllocated is used to track if a terminal has been allocated. This has
// to be tracked because the terminal is set to nil after it's "taken" in the
// session. Terminals can be allocated for both "exec" or "session" requests.
termAllocated bool
// request is the request that was issued by the client
request *ssh.Request
// cmd{r,w} are used to send the command from the parent process to the
// child process.
cmdr *os.File
cmdw *os.File
// cont{r,w} is used to send the continue signal from the parent process
// to the child process.
contr *os.File
contw *os.File
// ChannelType holds the type of the channel. For example "session" or
// "direct-tcpip". Used to create correct subcommand during re-exec.
ChannelType string
// SrcAddr is the source address of the request. This the originator IP
// address and port in a SSH "direct-tcpip" request. This value is only
// populated for port forwarding requests.
SrcAddr string
// DstAddr is the destination address of the request. This is the host and
// port to connect to in a "direct-tcpip" request. This value is only
// populated for port forwarding requests.
DstAddr string
}
// NewServerContext creates a new *ServerContext which is used to pass and
// manage resources, and an associated context.Context which is canceled when
// the ServerContext is closed. The ctx parameter should be a child of the ctx
// associated with the scope of the parent ConnectionContext to ensure that
// cancellation of the ConnectionContext propagates to the ServerContext.
func NewServerContext(ctx context.Context, parent *sshutils.ConnectionContext, srv Server, identityContext IdentityContext) (context.Context, *ServerContext, error) {
clusterConfig, err := srv.GetAccessPoint().GetClusterConfig()
if err != nil {
return nil, nil, trace.Wrap(err)
}
cancelContext, cancel := context.WithCancel(ctx)
child := &ServerContext{
ConnectionContext: parent,
id: int(atomic.AddInt32(&ctxID, int32(1))),
env: make(map[string]string),
srv: srv,
ExecResultCh: make(chan ExecResult, 10),
SubsystemResultCh: make(chan SubsystemResult, 10),
ClusterName: parent.ServerConn.Permissions.Extensions[utils.CertTeleportClusterName],
ClusterConfig: clusterConfig,
Identity: identityContext,
clientIdleTimeout: identityContext.RoleSet.AdjustClientIdleTimeout(clusterConfig.GetClientIdleTimeout()),
cancelContext: cancelContext,
cancel: cancel,
}
disconnectExpiredCert := identityContext.RoleSet.AdjustDisconnectExpiredCert(clusterConfig.GetDisconnectExpiredCert())
if !identityContext.CertValidBefore.IsZero() && disconnectExpiredCert {
child.disconnectExpiredCert = identityContext.CertValidBefore
}
fields := log.Fields{
"local": child.ServerConn.LocalAddr(),
"remote": child.ServerConn.RemoteAddr(),
"login": child.Identity.Login,
"teleportUser": child.Identity.TeleportUser,
"id": child.id,
}
if !child.disconnectExpiredCert.IsZero() {
fields["cert"] = child.disconnectExpiredCert
}
if child.clientIdleTimeout != 0 {
fields["idle"] = child.clientIdleTimeout
}
child.Entry = log.WithFields(log.Fields{
trace.Component: srv.Component(),
trace.ComponentFields: fields,
})
if !child.disconnectExpiredCert.IsZero() || child.clientIdleTimeout != 0 {
mon, err := NewMonitor(MonitorConfig{
DisconnectExpiredCert: child.disconnectExpiredCert,
ClientIdleTimeout: child.clientIdleTimeout,
Clock: child.srv.GetClock(),
Tracker: child,
Conn: child.ServerConn,
Context: cancelContext,
TeleportUser: child.Identity.TeleportUser,
Login: child.Identity.Login,
ServerID: child.srv.ID(),
Entry: child.Entry,
Emitter: child.srv,
})
if err != nil {
child.Close()
return nil, nil, trace.Wrap(err)
}
go mon.Start()
}
// Create pipe used to send command to child process.
child.cmdr, child.cmdw, err = os.Pipe()
if err != nil {
child.Close()
return nil, nil, trace.Wrap(err)
}
child.AddCloser(child.cmdr)
child.AddCloser(child.cmdw)
// Create pipe used to signal continue to child process.
child.contr, child.contw, err = os.Pipe()
if err != nil {
child.Close()
return nil, nil, trace.Wrap(err)
}
child.AddCloser(child.contr)
child.AddCloser(child.contw)
return ctx, child, nil
}
// Parent grants access to the connection-level context of which this
// is a subcontext. Useful for unambiguously accessing methods which
// this subcontext overrides (e.g. child.Parent().SetEnv(...)).
func (c *ServerContext) Parent() *sshutils.ConnectionContext {
return c.ConnectionContext
}
// ID returns ID of this context
func (c *ServerContext) ID() int {
return c.id
}
// SessionID returns the ID of the session in the context.
func (c *ServerContext) SessionID() rsession.ID {
return c.session.id
}
// GetServer returns the underlying server which this context was created in.
func (c *ServerContext) GetServer() Server {
return c.srv
}
// CreateOrJoinSession will look in the SessionRegistry for the session ID. If
// no session is found, a new one is created. If one is found, it is returned.
func (c *ServerContext) CreateOrJoinSession(reg *SessionRegistry) error {
// As SSH conversation progresses, at some point a session will be created and
// its ID will be added to the environment
ssid, found := c.GetEnv(sshutils.SessionEnvVar)
if !found {
return nil
}
// make sure whatever session is requested is a valid session
_, err := rsession.ParseID(ssid)
if err != nil {
return trace.BadParameter("invalid session id")
}
findSession := func() (*session, bool) {
reg.Lock()
defer reg.Unlock()
return reg.findSession(rsession.ID(ssid))
}
// update ctx with a session ID
c.session, _ = findSession()
if c.session == nil {
log.Debugf("Will create new session for SSH connection %v.", c.ServerConn.RemoteAddr())
} else {
log.Debugf("Will join session %v for SSH connection %v.", c.session, c.ServerConn.RemoteAddr())
}
return nil
}
// TrackActivity keeps track of all activity on ssh.Channel. The caller should
// use the returned ssh.Channel instead of the original one.
func (c *ServerContext) TrackActivity(ch ssh.Channel) ssh.Channel {
return newTrackingChannel(ch, c)
}
// GetClientLastActive returns time when client was last active
func (c *ServerContext) GetClientLastActive() time.Time {
c.RLock()
defer c.RUnlock()
return c.clientLastActive
}
// UpdateClientActivity sets last recorded client activity associated with this context
// either channel or session
func (c *ServerContext) UpdateClientActivity() {
c.Lock()
defer c.Unlock()
c.clientLastActive = c.srv.GetClock().Now().UTC()
}
// AddCloser adds any closer in ctx that will be called
// whenever server closes session channel
func (c *ServerContext) AddCloser(closer io.Closer) {
c.Lock()
defer c.Unlock()
c.closers = append(c.closers, closer)
}
// GetTerm returns a Terminal.
func (c *ServerContext) GetTerm() Terminal {
c.RLock()
defer c.RUnlock()
return c.term
}
// SetTerm set a Terminal.
func (c *ServerContext) SetTerm(t Terminal) {
c.Lock()
defer c.Unlock()
c.term = t
}
// VisitEnv grants visitor-style access to env variables.
func (c *ServerContext) VisitEnv(visit func(key, val string)) {
// visit the parent env first since locally defined variables
// effectively "override" parent defined variables.
c.Parent().VisitEnv(visit)
for key, val := range c.env {
visit(key, val)
}
}
// SetEnv sets a environment variable within this context.
func (c *ServerContext) SetEnv(key, val string) {
c.env[key] = val
}
// GetEnv returns a environment variable within this context.
func (c *ServerContext) GetEnv(key string) (string, bool) {
val, ok := c.env[key]
if ok {
return val, true
}
return c.Parent().GetEnv(key)
}
// takeClosers returns all resources that should be closed and sets the properties to null
// we do this to avoid calling Close() under lock to avoid potential deadlocks
func (c *ServerContext) takeClosers() []io.Closer {
// this is done to avoid any operation holding the lock for too long
c.Lock()
defer c.Unlock()
closers := []io.Closer{}
if c.term != nil {
closers = append(closers, c.term)
c.term = nil
}
closers = append(closers, c.closers...)
c.closers = nil
return closers
}
// When the ServerContext (connection) is closed, emit "session.data" event
// containing how much data was transmitted and received over the net.Conn.
func (c *ServerContext) reportStats(conn utils.Stater) {
// Never emit session data events for the proxy or from a Teleport node if
// sessions are being recorded at the proxy (this would result in double
// events).
if c.GetServer().Component() == teleport.ComponentProxy {
return
}
if services.IsRecordAtProxy(c.ClusterConfig.GetSessionRecording()) &&
c.GetServer().Component() == teleport.ComponentNode {
return
}
// Get the TX and RX bytes.
txBytes, rxBytes := conn.Stat()
// Build and emit session data event. Note that TX and RX are reversed
// below, that is because the connection is held from the perspective of
// the server not the client, but the logs are from the perspective of the
// client.
sessionDataEvent := &events.SessionData{
Metadata: events.Metadata{
Index: events.SessionDataIndex,
Type: events.SessionDataEvent,
Code: events.SessionDataCode,
},
ServerMetadata: events.ServerMetadata{
ServerID: c.GetServer().HostUUID(),
ServerNamespace: c.GetServer().GetNamespace(),
},
UserMetadata: events.UserMetadata{
User: c.Identity.TeleportUser,
Login: c.Identity.Login,
},
ConnectionMetadata: events.ConnectionMetadata{
RemoteAddr: c.ServerConn.RemoteAddr().String(),
},
BytesTransmitted: rxBytes,
BytesReceived: txBytes,
}
if !c.srv.UseTunnel() {
sessionDataEvent.ConnectionMetadata.LocalAddr = c.ServerConn.LocalAddr().String()
}
if c.session != nil {
sessionDataEvent.SessionMetadata.SessionID = string(c.session.id)
}
if err := c.GetServer().EmitAuditEvent(c.GetServer().Context(), sessionDataEvent); err != nil {
c.WithError(err).Warn("Failed to emit session data event.")
}
// Emit TX and RX bytes to their respective Prometheus counters.
serverTX.Add(float64(txBytes))
serverRX.Add(float64(rxBytes))
}
func (c *ServerContext) Close() error {
// If the underlying connection is holding tracking information, report that
// to the audit log at close.
if stats, ok := c.NetConn.(*utils.TrackingConn); ok {
defer c.reportStats(stats)
}
// Unblock any goroutines waiting until session is closed.
c.cancel()
// Close and release all resources.
err := closeAll(c.takeClosers()...)
if err != nil {
return trace.Wrap(err)
}
return nil
}
// CancelContext is a context associated with server context,
// closed whenever this server context is closed
func (c *ServerContext) CancelContext() context.Context {
return c.cancelContext
}
// CancelFunc gets the context.CancelFunc associated with
// this context. Not a substitute for calling the
// ServerContext.Close method.
func (c *ServerContext) CancelFunc() context.CancelFunc {
return c.cancel
}
// SendExecResult sends the result of execution of the "exec" command over the
// ExecResultCh.
func (c *ServerContext) SendExecResult(r ExecResult) {
select {
case c.ExecResultCh <- r:
default:
log.Infof("blocked on sending exec result %v", r)
}
}
// SendSubsystemResult sends the result of running the subsystem over the
// SubsystemResultCh.
func (c *ServerContext) SendSubsystemResult(r SubsystemResult) {
select {
case c.SubsystemResultCh <- r:
default:
c.Infof("blocked on sending subsystem result")
}
}
// ProxyPublicAddress tries to get the public address from the first
// available proxy. if public_address is not set, fall back to the hostname
// of the first proxy we get back.
func (c *ServerContext) ProxyPublicAddress() string {
proxyHost := "<proxyhost>:3080"
if c.srv == nil {
return proxyHost
}
proxies, err := c.srv.GetAccessPoint().GetProxies()
if err != nil {
c.Errorf("Unable to retrieve proxy list: %v", err)
}
if len(proxies) > 0 {
proxyHost = proxies[0].GetPublicAddr()
if proxyHost == "" {
proxyHost = fmt.Sprintf("%v:%v", proxies[0].GetHostname(), defaults.HTTPListenPort)
c.Debugf("public_address not set for proxy, returning proxyHost: %q", proxyHost)
}
}
return proxyHost
}
func (c *ServerContext) String() string {
return fmt.Sprintf("ServerContext(%v->%v, user=%v, id=%v)", c.ServerConn.RemoteAddr(), c.ServerConn.LocalAddr(), c.ServerConn.User(), c.id)
}
// ExecCommand takes a *ServerContext and extracts the parts needed to create
// an *execCommand which can be re-sent to Teleport.
func (c *ServerContext) ExecCommand() (*ExecCommand, error) {
var pamEnabled bool
var pamServiceName string
var pamUseAuth bool
// If this code is running on a node, check if PAM is enabled or not.
if c.srv.Component() == teleport.ComponentNode {
conf, err := c.srv.GetPAM()
if err != nil {
return nil, trace.Wrap(err)
}
pamEnabled = conf.Enabled
pamServiceName = conf.ServiceName
pamUseAuth = conf.UsePAMAuth
}
// If the identity has roles, extract the role names.
var roleNames []string
if len(c.Identity.RoleSet) > 0 {
roleNames = c.Identity.RoleSet.RoleNames()
}
// Extract the command to be executed. This only exists if command execution
// (exec or shell) is being requested, port forwarding has no command to
// execute.
var command string
if c.ExecRequest != nil {
command = c.ExecRequest.GetCommand()
}
// Extract the request type. This only exists for command execution (exec
// or shell), port forwarding requests have no request type.
var requestType string
if c.request != nil {
requestType = c.request.Type
}
// Create the execCommand that will be sent to the child process.
return &ExecCommand{
Command: command,
DestinationAddress: c.DstAddr,
Username: c.Identity.TeleportUser,
Login: c.Identity.Login,
Roles: roleNames,
Terminal: c.termAllocated || command == "",
RequestType: requestType,
PermitUserEnvironment: c.srv.PermitUserEnvironment(),
Environment: buildEnvironment(c),
PAM: pamEnabled,
ServiceName: pamServiceName,
UsePAMAuth: pamUseAuth,
IsTestStub: c.IsTestStub,
}, nil
}
// buildEnvironment constructs a list of environment variables from
// cluster information.
func buildEnvironment(ctx *ServerContext) []string {
var env []string
// gather all dynamically defined environment variables
ctx.VisitEnv(func(key, val string) {
env = append(env, fmt.Sprintf("%s=%s", key, val))
})
// Parse the local and remote addresses to build SSH_CLIENT and
// SSH_CONNECTION environment variables.
remoteHost, remotePort, err := net.SplitHostPort(ctx.ServerConn.RemoteAddr().String())
if err != nil {
log.Debugf("Failed to split remote address: %v.", err)
} else {
localHost, localPort, err := net.SplitHostPort(ctx.ServerConn.LocalAddr().String())
if err != nil {
log.Debugf("Failed to split local address: %v.", err)
} else {
env = append(env,
fmt.Sprintf("SSH_CLIENT=%s %s %s", remoteHost, remotePort, localPort),
fmt.Sprintf("SSH_CONNECTION=%s %s %s %s", remoteHost, remotePort, localHost, localPort))
}
}
// If a session has been created try and set TERM, SSH_TTY, and SSH_SESSION_ID.
if ctx.session != nil {
if ctx.session.term != nil {
env = append(env, fmt.Sprintf("TERM=%v", ctx.session.term.GetTermType()))
env = append(env, fmt.Sprintf("SSH_TTY=%s", ctx.session.term.TTY().Name()))
}
if ctx.session.id != "" {
env = append(env, fmt.Sprintf("%s=%s", teleport.SSHSessionID, ctx.session.id))
}
}
// Set some Teleport specific environment variables: SSH_TELEPORT_USER,
// SSH_SESSION_WEBPROXY_ADDR, SSH_TELEPORT_HOST_UUID, and
// SSH_TELEPORT_CLUSTER_NAME.
env = append(env, teleport.SSHSessionWebproxyAddr+"="+ctx.ProxyPublicAddress())
env = append(env, teleport.SSHTeleportHostUUID+"="+ctx.srv.ID())
env = append(env, teleport.SSHTeleportClusterName+"="+ctx.ClusterName)
env = append(env, teleport.SSHTeleportUser+"="+ctx.Identity.TeleportUser)
return env
}
func closeAll(closers ...io.Closer) error {
var errs []error
for _, cl := range closers {
if cl == nil {
continue
}
err := cl.Close()
if err == nil {
continue
}
errs = append(errs, err)
}
return trace.NewAggregate(errs...)
}