client.go 7.6 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256
  1. // Copyright 2011 The Go Authors. All rights reserved.
  2. // Use of this source code is governed by a BSD-style
  3. // license that can be found in the LICENSE file.
  4. package ssh
  5. import (
  6. "bytes"
  7. "errors"
  8. "fmt"
  9. "net"
  10. "sync"
  11. "time"
  12. )
  13. // Client implements a traditional SSH client that supports shells,
  14. // subprocesses, port forwarding and tunneled dialing.
  15. type Client struct {
  16. Conn
  17. forwards forwardList // forwarded tcpip connections from the remote side
  18. mu sync.Mutex
  19. channelHandlers map[string]chan NewChannel
  20. }
  21. // HandleChannelOpen returns a channel on which NewChannel requests
  22. // for the given type are sent. If the type already is being handled,
  23. // nil is returned. The channel is closed when the connection is closed.
  24. func (c *Client) HandleChannelOpen(channelType string) <-chan NewChannel {
  25. c.mu.Lock()
  26. defer c.mu.Unlock()
  27. if c.channelHandlers == nil {
  28. // The SSH channel has been closed.
  29. c := make(chan NewChannel)
  30. close(c)
  31. return c
  32. }
  33. ch := c.channelHandlers[channelType]
  34. if ch != nil {
  35. return nil
  36. }
  37. ch = make(chan NewChannel, chanSize)
  38. c.channelHandlers[channelType] = ch
  39. return ch
  40. }
  41. // NewClient creates a Client on top of the given connection.
  42. func NewClient(c Conn, chans <-chan NewChannel, reqs <-chan *Request) *Client {
  43. conn := &Client{
  44. Conn: c,
  45. channelHandlers: make(map[string]chan NewChannel, 1),
  46. }
  47. go conn.handleGlobalRequests(reqs)
  48. go conn.handleChannelOpens(chans)
  49. go func() {
  50. conn.Wait()
  51. conn.forwards.closeAll()
  52. }()
  53. go conn.forwards.handleChannels(conn.HandleChannelOpen("forwarded-tcpip"))
  54. return conn
  55. }
  56. // NewClientConn establishes an authenticated SSH connection using c
  57. // as the underlying transport. The Request and NewChannel channels
  58. // must be serviced or the connection will hang.
  59. func NewClientConn(c net.Conn, addr string, config *ClientConfig) (Conn, <-chan NewChannel, <-chan *Request, error) {
  60. fullConf := *config
  61. fullConf.SetDefaults()
  62. if fullConf.HostKeyCallback == nil {
  63. c.Close()
  64. return nil, nil, nil, errors.New("ssh: must specify HostKeyCallback")
  65. }
  66. conn := &connection{
  67. sshConn: sshConn{conn: c},
  68. }
  69. if err := conn.clientHandshake(addr, &fullConf); err != nil {
  70. c.Close()
  71. return nil, nil, nil, fmt.Errorf("ssh: handshake failed: %v", err)
  72. }
  73. conn.mux = newMux(conn.transport)
  74. return conn, conn.mux.incomingChannels, conn.mux.incomingRequests, nil
  75. }
  76. // clientHandshake performs the client side key exchange. See RFC 4253 Section
  77. // 7.
  78. func (c *connection) clientHandshake(dialAddress string, config *ClientConfig) error {
  79. if config.ClientVersion != "" {
  80. c.clientVersion = []byte(config.ClientVersion)
  81. } else {
  82. c.clientVersion = []byte(packageVersion)
  83. }
  84. var err error
  85. c.serverVersion, err = exchangeVersions(c.sshConn.conn, c.clientVersion)
  86. if err != nil {
  87. return err
  88. }
  89. c.transport = newClientTransport(
  90. newTransport(c.sshConn.conn, config.Rand, true /* is client */),
  91. c.clientVersion, c.serverVersion, config, dialAddress, c.sshConn.RemoteAddr())
  92. if err := c.transport.waitSession(); err != nil {
  93. return err
  94. }
  95. c.sessionID = c.transport.getSessionID()
  96. return c.clientAuthenticate(config)
  97. }
  98. // verifyHostKeySignature verifies the host key obtained in the key
  99. // exchange.
  100. func verifyHostKeySignature(hostKey PublicKey, result *kexResult) error {
  101. sig, rest, ok := parseSignatureBody(result.Signature)
  102. if len(rest) > 0 || !ok {
  103. return errors.New("ssh: signature parse error")
  104. }
  105. return hostKey.Verify(result.H, sig)
  106. }
  107. // NewSession opens a new Session for this client. (A session is a remote
  108. // execution of a program.)
  109. func (c *Client) NewSession() (*Session, error) {
  110. ch, in, err := c.OpenChannel("session", nil)
  111. if err != nil {
  112. return nil, err
  113. }
  114. return newSession(ch, in)
  115. }
  116. func (c *Client) handleGlobalRequests(incoming <-chan *Request) {
  117. for r := range incoming {
  118. // This handles keepalive messages and matches
  119. // the behaviour of OpenSSH.
  120. r.Reply(false, nil)
  121. }
  122. }
  123. // handleChannelOpens channel open messages from the remote side.
  124. func (c *Client) handleChannelOpens(in <-chan NewChannel) {
  125. for ch := range in {
  126. c.mu.Lock()
  127. handler := c.channelHandlers[ch.ChannelType()]
  128. c.mu.Unlock()
  129. if handler != nil {
  130. handler <- ch
  131. } else {
  132. ch.Reject(UnknownChannelType, fmt.Sprintf("unknown channel type: %v", ch.ChannelType()))
  133. }
  134. }
  135. c.mu.Lock()
  136. for _, ch := range c.channelHandlers {
  137. close(ch)
  138. }
  139. c.channelHandlers = nil
  140. c.mu.Unlock()
  141. }
  142. // Dial starts a client connection to the given SSH server. It is a
  143. // convenience function that connects to the given network address,
  144. // initiates the SSH handshake, and then sets up a Client. For access
  145. // to incoming channels and requests, use net.Dial with NewClientConn
  146. // instead.
  147. func Dial(network, addr string, config *ClientConfig) (*Client, error) {
  148. conn, err := net.DialTimeout(network, addr, config.Timeout)
  149. if err != nil {
  150. return nil, err
  151. }
  152. c, chans, reqs, err := NewClientConn(conn, addr, config)
  153. if err != nil {
  154. return nil, err
  155. }
  156. return NewClient(c, chans, reqs), nil
  157. }
  158. // HostKeyCallback is the function type used for verifying server
  159. // keys. A HostKeyCallback must return nil if the host key is OK, or
  160. // an error to reject it. It receives the hostname as passed to Dial
  161. // or NewClientConn. The remote address is the RemoteAddr of the
  162. // net.Conn underlying the the SSH connection.
  163. type HostKeyCallback func(hostname string, remote net.Addr, key PublicKey) error
  164. // A ClientConfig structure is used to configure a Client. It must not be
  165. // modified after having been passed to an SSH function.
  166. type ClientConfig struct {
  167. // Config contains configuration that is shared between clients and
  168. // servers.
  169. Config
  170. // User contains the username to authenticate as.
  171. User string
  172. // Auth contains possible authentication methods to use with the
  173. // server. Only the first instance of a particular RFC 4252 method will
  174. // be used during authentication.
  175. Auth []AuthMethod
  176. // HostKeyCallback is called during the cryptographic
  177. // handshake to validate the server's host key. The client
  178. // configuration must supply this callback for the connection
  179. // to succeed. The functions InsecureIgnoreHostKey or
  180. // FixedHostKey can be used for simplistic host key checks.
  181. HostKeyCallback HostKeyCallback
  182. // ClientVersion contains the version identification string that will
  183. // be used for the connection. If empty, a reasonable default is used.
  184. ClientVersion string
  185. // HostKeyAlgorithms lists the key types that the client will
  186. // accept from the server as host key, in order of
  187. // preference. If empty, a reasonable default is used. Any
  188. // string returned from PublicKey.Type method may be used, or
  189. // any of the CertAlgoXxxx and KeyAlgoXxxx constants.
  190. HostKeyAlgorithms []string
  191. // Timeout is the maximum amount of time for the TCP connection to establish.
  192. //
  193. // A Timeout of zero means no timeout.
  194. Timeout time.Duration
  195. }
  196. // InsecureIgnoreHostKey returns a function that can be used for
  197. // ClientConfig.HostKeyCallback to accept any host key. It should
  198. // not be used for production code.
  199. func InsecureIgnoreHostKey() HostKeyCallback {
  200. return func(hostname string, remote net.Addr, key PublicKey) error {
  201. return nil
  202. }
  203. }
  204. type fixedHostKey struct {
  205. key PublicKey
  206. }
  207. func (f *fixedHostKey) check(hostname string, remote net.Addr, key PublicKey) error {
  208. if f.key == nil {
  209. return fmt.Errorf("ssh: required host key was nil")
  210. }
  211. if !bytes.Equal(key.Marshal(), f.key.Marshal()) {
  212. return fmt.Errorf("ssh: host key mismatch")
  213. }
  214. return nil
  215. }
  216. // FixedHostKey returns a function for use in
  217. // ClientConfig.HostKeyCallback to accept only a specific host key.
  218. func FixedHostKey(key PublicKey) HostKeyCallback {
  219. hk := &fixedHostKey{key}
  220. return hk.check
  221. }