config.go 7.9 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256
  1. // Package tlsconfig provides primitives to retrieve secure-enough TLS configurations for both clients and servers.
  2. //
  3. // As a reminder from https://golang.org/pkg/crypto/tls/#Config:
  4. // A Config structure is used to configure a TLS client or server. After one has been passed to a TLS function it must not be modified.
  5. // A Config may be reused; the tls package will also not modify it.
  6. package tlsconfig
  7. import (
  8. "crypto/tls"
  9. "crypto/x509"
  10. "encoding/pem"
  11. "fmt"
  12. "io/ioutil"
  13. "os"
  14. "github.com/pkg/errors"
  15. )
  16. // Options represents the information needed to create client and server TLS configurations.
  17. type Options struct {
  18. CAFile string
  19. // If either CertFile or KeyFile is empty, Client() will not load them
  20. // preventing the client from authenticating to the server.
  21. // However, Server() requires them and will error out if they are empty.
  22. CertFile string
  23. KeyFile string
  24. // client-only option
  25. InsecureSkipVerify bool
  26. // server-only option
  27. ClientAuth tls.ClientAuthType
  28. // If ExclusiveRootPools is set, then if a CA file is provided, the root pool used for TLS
  29. // creds will include exclusively the roots in that CA file. If no CA file is provided,
  30. // the system pool will be used.
  31. ExclusiveRootPools bool
  32. MinVersion uint16
  33. // If Passphrase is set, it will be used to decrypt a TLS private key
  34. // if the key is encrypted
  35. Passphrase string
  36. }
  37. // Extra (server-side) accepted CBC cipher suites - will phase out in the future
  38. var acceptedCBCCiphers = []uint16{
  39. tls.TLS_ECDHE_ECDSA_WITH_AES_256_CBC_SHA,
  40. tls.TLS_ECDHE_ECDSA_WITH_AES_128_CBC_SHA,
  41. tls.TLS_ECDHE_RSA_WITH_AES_256_CBC_SHA,
  42. tls.TLS_ECDHE_RSA_WITH_AES_128_CBC_SHA,
  43. tls.TLS_RSA_WITH_AES_256_CBC_SHA,
  44. tls.TLS_RSA_WITH_AES_128_CBC_SHA,
  45. }
  46. // DefaultServerAcceptedCiphers should be uses by code which already has a crypto/tls
  47. // options struct but wants to use a commonly accepted set of TLS cipher suites, with
  48. // known weak algorithms removed.
  49. var DefaultServerAcceptedCiphers = append(clientCipherSuites, acceptedCBCCiphers...)
  50. // allTLSVersions lists all the TLS versions and is used by the code that validates
  51. // a uint16 value as a TLS version.
  52. var allTLSVersions = map[uint16]struct{}{
  53. tls.VersionSSL30: {},
  54. tls.VersionTLS10: {},
  55. tls.VersionTLS11: {},
  56. tls.VersionTLS12: {},
  57. }
  58. // ServerDefault returns a secure-enough TLS configuration for the server TLS configuration.
  59. func ServerDefault(ops ...func(*tls.Config)) *tls.Config {
  60. tlsconfig := &tls.Config{
  61. // Avoid fallback by default to SSL protocols < TLS1.0
  62. MinVersion: tls.VersionTLS10,
  63. PreferServerCipherSuites: true,
  64. CipherSuites: DefaultServerAcceptedCiphers,
  65. }
  66. for _, op := range ops {
  67. op(tlsconfig)
  68. }
  69. return tlsconfig
  70. }
  71. // ClientDefault returns a secure-enough TLS configuration for the client TLS configuration.
  72. func ClientDefault(ops ...func(*tls.Config)) *tls.Config {
  73. tlsconfig := &tls.Config{
  74. // Prefer TLS1.2 as the client minimum
  75. MinVersion: tls.VersionTLS12,
  76. CipherSuites: clientCipherSuites,
  77. }
  78. for _, op := range ops {
  79. op(tlsconfig)
  80. }
  81. return tlsconfig
  82. }
  83. // certPool returns an X.509 certificate pool from `caFile`, the certificate file.
  84. func certPool(caFile string, exclusivePool bool) (*x509.CertPool, error) {
  85. // If we should verify the server, we need to load a trusted ca
  86. var (
  87. certPool *x509.CertPool
  88. err error
  89. )
  90. if exclusivePool {
  91. certPool = x509.NewCertPool()
  92. } else {
  93. certPool, err = SystemCertPool()
  94. if err != nil {
  95. return nil, fmt.Errorf("failed to read system certificates: %v", err)
  96. }
  97. }
  98. pem, err := ioutil.ReadFile(caFile)
  99. if err != nil {
  100. return nil, fmt.Errorf("could not read CA certificate %q: %v", caFile, err)
  101. }
  102. if !certPool.AppendCertsFromPEM(pem) {
  103. return nil, fmt.Errorf("failed to append certificates from PEM file: %q", caFile)
  104. }
  105. return certPool, nil
  106. }
  107. // isValidMinVersion checks that the input value is a valid tls minimum version
  108. func isValidMinVersion(version uint16) bool {
  109. _, ok := allTLSVersions[version]
  110. return ok
  111. }
  112. // adjustMinVersion sets the MinVersion on `config`, the input configuration.
  113. // It assumes the current MinVersion on the `config` is the lowest allowed.
  114. func adjustMinVersion(options Options, config *tls.Config) error {
  115. if options.MinVersion > 0 {
  116. if !isValidMinVersion(options.MinVersion) {
  117. return fmt.Errorf("Invalid minimum TLS version: %x", options.MinVersion)
  118. }
  119. if options.MinVersion < config.MinVersion {
  120. return fmt.Errorf("Requested minimum TLS version is too low. Should be at-least: %x", config.MinVersion)
  121. }
  122. config.MinVersion = options.MinVersion
  123. }
  124. return nil
  125. }
  126. // IsErrEncryptedKey returns true if the 'err' is an error of incorrect
  127. // password when tryin to decrypt a TLS private key
  128. func IsErrEncryptedKey(err error) bool {
  129. return errors.Cause(err) == x509.IncorrectPasswordError
  130. }
  131. // getPrivateKey returns the private key in 'keyBytes', in PEM-encoded format.
  132. // If the private key is encrypted, 'passphrase' is used to decrypted the
  133. // private key.
  134. func getPrivateKey(keyBytes []byte, passphrase string) ([]byte, error) {
  135. // this section makes some small changes to code from notary/tuf/utils/x509.go
  136. pemBlock, _ := pem.Decode(keyBytes)
  137. if pemBlock == nil {
  138. return nil, fmt.Errorf("no valid private key found")
  139. }
  140. var err error
  141. if x509.IsEncryptedPEMBlock(pemBlock) {
  142. keyBytes, err = x509.DecryptPEMBlock(pemBlock, []byte(passphrase))
  143. if err != nil {
  144. return nil, errors.Wrap(err, "private key is encrypted, but could not decrypt it")
  145. }
  146. keyBytes = pem.EncodeToMemory(&pem.Block{Type: pemBlock.Type, Bytes: keyBytes})
  147. }
  148. return keyBytes, nil
  149. }
  150. // getCert returns a Certificate from the CertFile and KeyFile in 'options',
  151. // if the key is encrypted, the Passphrase in 'options' will be used to
  152. // decrypt it.
  153. func getCert(options Options) ([]tls.Certificate, error) {
  154. if options.CertFile == "" && options.KeyFile == "" {
  155. return nil, nil
  156. }
  157. errMessage := "Could not load X509 key pair"
  158. cert, err := ioutil.ReadFile(options.CertFile)
  159. if err != nil {
  160. return nil, errors.Wrap(err, errMessage)
  161. }
  162. prKeyBytes, err := ioutil.ReadFile(options.KeyFile)
  163. if err != nil {
  164. return nil, errors.Wrap(err, errMessage)
  165. }
  166. prKeyBytes, err = getPrivateKey(prKeyBytes, options.Passphrase)
  167. if err != nil {
  168. return nil, errors.Wrap(err, errMessage)
  169. }
  170. tlsCert, err := tls.X509KeyPair(cert, prKeyBytes)
  171. if err != nil {
  172. return nil, errors.Wrap(err, errMessage)
  173. }
  174. return []tls.Certificate{tlsCert}, nil
  175. }
  176. // Client returns a TLS configuration meant to be used by a client.
  177. func Client(options Options) (*tls.Config, error) {
  178. tlsConfig := ClientDefault()
  179. tlsConfig.InsecureSkipVerify = options.InsecureSkipVerify
  180. if !options.InsecureSkipVerify && options.CAFile != "" {
  181. CAs, err := certPool(options.CAFile, options.ExclusiveRootPools)
  182. if err != nil {
  183. return nil, err
  184. }
  185. tlsConfig.RootCAs = CAs
  186. }
  187. tlsCerts, err := getCert(options)
  188. if err != nil {
  189. return nil, err
  190. }
  191. tlsConfig.Certificates = tlsCerts
  192. if err := adjustMinVersion(options, tlsConfig); err != nil {
  193. return nil, err
  194. }
  195. return tlsConfig, nil
  196. }
  197. // Server returns a TLS configuration meant to be used by a server.
  198. func Server(options Options) (*tls.Config, error) {
  199. tlsConfig := ServerDefault()
  200. tlsConfig.ClientAuth = options.ClientAuth
  201. tlsCert, err := tls.LoadX509KeyPair(options.CertFile, options.KeyFile)
  202. if err != nil {
  203. if os.IsNotExist(err) {
  204. return nil, fmt.Errorf("Could not load X509 key pair (cert: %q, key: %q): %v", options.CertFile, options.KeyFile, err)
  205. }
  206. return nil, fmt.Errorf("Error reading X509 key pair (cert: %q, key: %q): %v. Make sure the key is not encrypted.", options.CertFile, options.KeyFile, err)
  207. }
  208. tlsConfig.Certificates = []tls.Certificate{tlsCert}
  209. if options.ClientAuth >= tls.VerifyClientCertIfGiven && options.CAFile != "" {
  210. CAs, err := certPool(options.CAFile, options.ExclusiveRootPools)
  211. if err != nil {
  212. return nil, err
  213. }
  214. tlsConfig.ClientCAs = CAs
  215. }
  216. if err := adjustMinVersion(options, tlsConfig); err != nil {
  217. return nil, err
  218. }
  219. return tlsConfig, nil
  220. }