blob: 36dc1e0201782fabe06316524959dc58f355ea2d [file] [log] [blame]
Adam Langley95c29f32014-06-20 12:00:00 -07001// Copyright 2009 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
Adam Langleydc7e9c42015-09-29 15:21:04 -07005package runner
Adam Langley95c29f32014-06-20 12:00:00 -07006
7import (
8 "bytes"
Nick Harper60edffd2016-06-21 15:19:24 -07009 "crypto"
Adam Langley95c29f32014-06-20 12:00:00 -070010 "crypto/ecdsa"
David Benjamind30a9902014-08-24 01:44:23 -040011 "crypto/elliptic"
Adam Langley95c29f32014-06-20 12:00:00 -070012 "crypto/rsa"
13 "crypto/subtle"
14 "crypto/x509"
Adam Langley95c29f32014-06-20 12:00:00 -070015 "errors"
16 "fmt"
17 "io"
David Benjaminde620d92014-07-18 15:03:41 -040018 "math/big"
Adam Langley95c29f32014-06-20 12:00:00 -070019 "net"
20 "strconv"
Nick Harper0b3625b2016-07-25 16:16:28 -070021 "time"
Adam Langley95c29f32014-06-20 12:00:00 -070022)
23
24type clientHandshakeState struct {
David Benjamin83f90402015-01-27 01:09:43 -050025 c *Conn
26 serverHello *serverHelloMsg
27 hello *clientHelloMsg
28 suite *cipherSuite
29 finishedHash finishedHash
Nick Harperb41d2e42016-07-01 17:50:32 -040030 keyShares map[CurveID]ecdhCurve
David Benjamin83f90402015-01-27 01:09:43 -050031 masterSecret []byte
32 session *ClientSessionState
33 finishedBytes []byte
Adam Langley95c29f32014-06-20 12:00:00 -070034}
35
36func (c *Conn) clientHandshake() error {
37 if c.config == nil {
38 c.config = defaultConfig()
39 }
40
41 if len(c.config.ServerName) == 0 && !c.config.InsecureSkipVerify {
42 return errors.New("tls: either ServerName or InsecureSkipVerify must be specified in the tls.Config")
43 }
44
David Benjamin83c0bc92014-08-04 01:23:53 -040045 c.sendHandshakeSeq = 0
46 c.recvHandshakeSeq = 0
47
David Benjaminfa055a22014-09-15 16:51:51 -040048 nextProtosLength := 0
49 for _, proto := range c.config.NextProtos {
Adam Langleyefb0e162015-07-09 11:35:04 -070050 if l := len(proto); l > 255 {
David Benjaminfa055a22014-09-15 16:51:51 -040051 return errors.New("tls: invalid NextProtos value")
52 } else {
53 nextProtosLength += 1 + l
54 }
55 }
56 if nextProtosLength > 0xffff {
57 return errors.New("tls: NextProtos values too large")
58 }
59
Steven Valdezfdd10992016-09-15 16:27:05 -040060 minVersion := c.config.minVersion(c.isDTLS)
David Benjamin3c6a1ea2016-09-26 18:30:05 -040061 maxVersion := c.config.maxVersion(c.isDTLS)
Adam Langley95c29f32014-06-20 12:00:00 -070062 hello := &clientHelloMsg{
David Benjaminca6c8262014-11-15 19:06:08 -050063 isDTLS: c.isDTLS,
David Benjamin3c6a1ea2016-09-26 18:30:05 -040064 vers: versionToWire(maxVersion, c.isDTLS),
David Benjaminca6c8262014-11-15 19:06:08 -050065 compressionMethods: []uint8{compressionNone},
66 random: make([]byte, 32),
67 ocspStapling: true,
Paul Lietar4fac72e2015-09-09 13:44:55 +010068 sctListSupported: true,
David Benjaminca6c8262014-11-15 19:06:08 -050069 serverName: c.config.ServerName,
70 supportedCurves: c.config.curvePreferences(),
Steven Valdeza833c352016-11-01 13:39:36 -040071 pskKEModes: []byte{pskDHEKEMode},
David Benjaminca6c8262014-11-15 19:06:08 -050072 supportedPoints: []uint8{pointFormatUncompressed},
73 nextProtoNeg: len(c.config.NextProtos) > 0,
74 secureRenegotiation: []byte{},
75 alpnProtocols: c.config.NextProtos,
76 duplicateExtension: c.config.Bugs.DuplicateExtension,
77 channelIDSupported: c.config.ChannelID != nil,
Steven Valdeza833c352016-11-01 13:39:36 -040078 npnAfterAlpn: c.config.Bugs.SwapNPNAndALPN,
Steven Valdezfdd10992016-09-15 16:27:05 -040079 extendedMasterSecret: maxVersion >= VersionTLS10,
David Benjaminca6c8262014-11-15 19:06:08 -050080 srtpProtectionProfiles: c.config.SRTPProtectionProfiles,
81 srtpMasterKeyIdentifier: c.config.Bugs.SRTPMasterKeyIdentifer,
Adam Langley09505632015-07-30 18:10:13 -070082 customExtension: c.config.Bugs.CustomExtension,
Steven Valdeza833c352016-11-01 13:39:36 -040083 pskBinderFirst: c.config.Bugs.PSKBinderFirst,
Adam Langley95c29f32014-06-20 12:00:00 -070084 }
85
David Benjamin163c9562016-08-29 23:14:17 -040086 disableEMS := c.config.Bugs.NoExtendedMasterSecret
87 if c.cipherSuite != nil {
88 disableEMS = c.config.Bugs.NoExtendedMasterSecretOnRenegotiation
89 }
90
91 if disableEMS {
Adam Langley75712922014-10-10 16:23:43 -070092 hello.extendedMasterSecret = false
93 }
94
David Benjamin55a43642015-04-20 14:45:55 -040095 if c.config.Bugs.NoSupportedCurves {
96 hello.supportedCurves = nil
97 }
98
Steven Valdeza833c352016-11-01 13:39:36 -040099 if len(c.config.Bugs.SendPSKKeyExchangeModes) != 0 {
100 hello.pskKEModes = c.config.Bugs.SendPSKKeyExchangeModes
101 }
102
David Benjaminc241d792016-09-09 10:34:20 -0400103 if c.config.Bugs.SendCompressionMethods != nil {
104 hello.compressionMethods = c.config.Bugs.SendCompressionMethods
105 }
106
Adam Langley2ae77d22014-10-28 17:29:33 -0700107 if len(c.clientVerify) > 0 && !c.config.Bugs.EmptyRenegotiationInfo {
108 if c.config.Bugs.BadRenegotiationInfo {
109 hello.secureRenegotiation = append(hello.secureRenegotiation, c.clientVerify...)
110 hello.secureRenegotiation[0] ^= 0x80
111 } else {
112 hello.secureRenegotiation = c.clientVerify
113 }
114 }
115
David Benjamin3e052de2015-11-25 20:10:31 -0500116 if c.noRenegotiationInfo() {
David Benjaminca6554b2014-11-08 12:31:52 -0500117 hello.secureRenegotiation = nil
118 }
119
Nick Harperb41d2e42016-07-01 17:50:32 -0400120 var keyShares map[CurveID]ecdhCurve
David Benjamin3c6a1ea2016-09-26 18:30:05 -0400121 if maxVersion >= VersionTLS13 {
Nick Harperb41d2e42016-07-01 17:50:32 -0400122 keyShares = make(map[CurveID]ecdhCurve)
Nick Harperdcfbc672016-07-16 17:47:31 +0200123 hello.hasKeyShares = true
David Benjamin7e1f9842016-09-20 19:24:40 -0400124 hello.trailingKeyShareData = c.config.Bugs.TrailingKeyShareData
Nick Harperdcfbc672016-07-16 17:47:31 +0200125 curvesToSend := c.config.defaultCurves()
Nick Harperb41d2e42016-07-01 17:50:32 -0400126 for _, curveID := range hello.supportedCurves {
Nick Harperdcfbc672016-07-16 17:47:31 +0200127 if !curvesToSend[curveID] {
128 continue
129 }
Nick Harperb41d2e42016-07-01 17:50:32 -0400130 curve, ok := curveForCurveID(curveID)
131 if !ok {
132 continue
133 }
134 publicKey, err := curve.offer(c.config.rand())
135 if err != nil {
136 return err
137 }
Steven Valdez0ee2e112016-07-15 06:51:15 -0400138
139 if c.config.Bugs.SendCurve != 0 {
140 curveID = c.config.Bugs.SendCurve
141 }
142 if c.config.Bugs.InvalidECDHPoint {
143 publicKey[0] ^= 0xff
144 }
145
Nick Harperb41d2e42016-07-01 17:50:32 -0400146 hello.keyShares = append(hello.keyShares, keyShareEntry{
147 group: curveID,
148 keyExchange: publicKey,
149 })
150 keyShares[curveID] = curve
Steven Valdez143e8b32016-07-11 13:19:03 -0400151
152 if c.config.Bugs.DuplicateKeyShares {
153 hello.keyShares = append(hello.keyShares, hello.keyShares[len(hello.keyShares)-1])
154 }
155 }
156
157 if c.config.Bugs.MissingKeyShare {
Steven Valdez5440fe02016-07-18 12:40:30 -0400158 hello.hasKeyShares = false
Nick Harperb41d2e42016-07-01 17:50:32 -0400159 }
160 }
161
Adam Langley95c29f32014-06-20 12:00:00 -0700162 possibleCipherSuites := c.config.cipherSuites()
163 hello.cipherSuites = make([]uint16, 0, len(possibleCipherSuites))
164
165NextCipherSuite:
166 for _, suiteId := range possibleCipherSuites {
167 for _, suite := range cipherSuites {
168 if suite.id != suiteId {
169 continue
170 }
David Benjamin5ecb88b2016-10-04 17:51:35 -0400171 // Don't advertise TLS 1.2-only cipher suites unless
172 // we're attempting TLS 1.2.
173 if maxVersion < VersionTLS12 && suite.flags&suiteTLS12 != 0 {
174 continue
175 }
176 // Don't advertise non-DTLS cipher suites in DTLS.
177 if c.isDTLS && suite.flags&suiteNoDTLS != 0 {
178 continue
David Benjamin83c0bc92014-08-04 01:23:53 -0400179 }
Adam Langley95c29f32014-06-20 12:00:00 -0700180 hello.cipherSuites = append(hello.cipherSuites, suiteId)
181 continue NextCipherSuite
182 }
183 }
184
David Benjamin5ecb88b2016-10-04 17:51:35 -0400185 if c.config.Bugs.AdvertiseAllConfiguredCiphers {
186 hello.cipherSuites = possibleCipherSuites
187 }
188
Adam Langley5021b222015-06-12 18:27:58 -0700189 if c.config.Bugs.SendRenegotiationSCSV {
190 hello.cipherSuites = append(hello.cipherSuites, renegotiationSCSV)
191 }
192
David Benjaminbef270a2014-08-02 04:22:02 -0400193 if c.config.Bugs.SendFallbackSCSV {
194 hello.cipherSuites = append(hello.cipherSuites, fallbackSCSV)
195 }
196
Adam Langley95c29f32014-06-20 12:00:00 -0700197 _, err := io.ReadFull(c.config.rand(), hello.random)
198 if err != nil {
199 c.sendAlert(alertInternalError)
200 return errors.New("tls: short read from Rand: " + err.Error())
201 }
202
David Benjamin3c6a1ea2016-09-26 18:30:05 -0400203 if maxVersion >= VersionTLS12 && !c.config.Bugs.NoSignatureAlgorithms {
David Benjamin7a41d372016-07-09 11:21:54 -0700204 hello.signatureAlgorithms = c.config.verifySignatureAlgorithms()
Adam Langley95c29f32014-06-20 12:00:00 -0700205 }
206
207 var session *ClientSessionState
208 var cacheKey string
209 sessionCache := c.config.ClientSessionCache
Adam Langley95c29f32014-06-20 12:00:00 -0700210
211 if sessionCache != nil {
David Benjaminfe8eb9a2014-11-17 03:19:02 -0500212 hello.ticketSupported = !c.config.SessionTicketsDisabled
Adam Langley95c29f32014-06-20 12:00:00 -0700213
214 // Try to resume a previously negotiated TLS session, if
215 // available.
216 cacheKey = clientSessionCacheKey(c.conn.RemoteAddr(), c.config)
Nick Harper0b3625b2016-07-25 16:16:28 -0700217 // TODO(nharper): Support storing more than one session
218 // ticket for TLS 1.3.
Adam Langley95c29f32014-06-20 12:00:00 -0700219 candidateSession, ok := sessionCache.Get(cacheKey)
220 if ok {
David Benjaminfe8eb9a2014-11-17 03:19:02 -0500221 ticketOk := !c.config.SessionTicketsDisabled || candidateSession.sessionTicket == nil
222
Adam Langley95c29f32014-06-20 12:00:00 -0700223 // Check that the ciphersuite/version used for the
224 // previous session are still valid.
225 cipherSuiteOk := false
Steven Valdez803c77a2016-09-06 14:13:43 -0400226 for _, id := range hello.cipherSuites {
227 if id == candidateSession.cipherSuite {
228 cipherSuiteOk = true
229 break
Adam Langley95c29f32014-06-20 12:00:00 -0700230 }
231 }
232
Steven Valdezfdd10992016-09-15 16:27:05 -0400233 versOk := candidateSession.vers >= minVersion &&
234 candidateSession.vers <= maxVersion
David Benjaminfe8eb9a2014-11-17 03:19:02 -0500235 if ticketOk && versOk && cipherSuiteOk {
Adam Langley95c29f32014-06-20 12:00:00 -0700236 session = candidateSession
237 }
238 }
239 }
240
Steven Valdeza833c352016-11-01 13:39:36 -0400241 var pskCipherSuite *cipherSuite
Nick Harper0b3625b2016-07-25 16:16:28 -0700242 if session != nil && c.config.time().Before(session.ticketExpiration) {
David Benjamind5a4ecb2016-07-18 01:17:13 +0200243 ticket := session.sessionTicket
David Benjamin4199b0d2016-11-01 13:58:25 -0400244 if c.config.Bugs.FilterTicket != nil && len(ticket) > 0 {
245 // Copy the ticket so FilterTicket may act in-place.
David Benjamind5a4ecb2016-07-18 01:17:13 +0200246 ticket = make([]byte, len(session.sessionTicket))
247 copy(ticket, session.sessionTicket)
David Benjamin4199b0d2016-11-01 13:58:25 -0400248
249 ticket, err = c.config.Bugs.FilterTicket(ticket)
250 if err != nil {
251 return err
Adam Langley38311732014-10-16 19:04:35 -0700252 }
David Benjamind5a4ecb2016-07-18 01:17:13 +0200253 }
254
David Benjamin405da482016-08-08 17:25:07 -0400255 if session.vers >= VersionTLS13 || c.config.Bugs.SendBothTickets {
Steven Valdeza833c352016-11-01 13:39:36 -0400256 pskCipherSuite = cipherSuiteFromID(session.cipherSuite)
257 if pskCipherSuite == nil {
258 return errors.New("tls: client session cache has invalid cipher suite")
259 }
Nick Harper0b3625b2016-07-25 16:16:28 -0700260 // TODO(nharper): Support sending more
261 // than one PSK identity.
Steven Valdeza833c352016-11-01 13:39:36 -0400262 ticketAge := uint32(c.config.time().Sub(session.ticketCreationTime) / time.Millisecond)
Steven Valdez5b986082016-09-01 12:29:49 -0400263 psk := pskIdentity{
Steven Valdeza833c352016-11-01 13:39:36 -0400264 ticket: ticket,
265 obfuscatedTicketAge: session.ticketAgeAdd + ticketAge,
Nick Harper0b3625b2016-07-25 16:16:28 -0700266 }
Steven Valdez5b986082016-09-01 12:29:49 -0400267 hello.pskIdentities = []pskIdentity{psk}
Steven Valdezaf3b8a92016-11-01 12:49:22 -0400268
269 if c.config.Bugs.ExtraPSKIdentity {
270 hello.pskIdentities = append(hello.pskIdentities, psk)
271 }
David Benjamin405da482016-08-08 17:25:07 -0400272 }
273
274 if session.vers < VersionTLS13 || c.config.Bugs.SendBothTickets {
275 if ticket != nil {
276 hello.sessionTicket = ticket
277 // A random session ID is used to detect when the
278 // server accepted the ticket and is resuming a session
279 // (see RFC 5077).
280 sessionIdLen := 16
281 if c.config.Bugs.OversizedSessionId {
282 sessionIdLen = 33
283 }
284 hello.sessionId = make([]byte, sessionIdLen)
285 if _, err := io.ReadFull(c.config.rand(), hello.sessionId); err != nil {
286 c.sendAlert(alertInternalError)
287 return errors.New("tls: short read from Rand: " + err.Error())
288 }
289 } else {
290 hello.sessionId = session.sessionId
David Benjaminfe8eb9a2014-11-17 03:19:02 -0500291 }
Adam Langley95c29f32014-06-20 12:00:00 -0700292 }
293 }
294
Steven Valdezfdd10992016-09-15 16:27:05 -0400295 if maxVersion == VersionTLS13 && !c.config.Bugs.OmitSupportedVersions {
296 if hello.vers >= VersionTLS13 {
297 hello.vers = VersionTLS12
298 }
299 for version := maxVersion; version >= minVersion; version-- {
300 hello.supportedVersions = append(hello.supportedVersions, versionToWire(version, c.isDTLS))
301 }
302 }
303
304 if len(c.config.Bugs.SendSupportedVersions) > 0 {
305 hello.supportedVersions = c.config.Bugs.SendSupportedVersions
306 }
307
David Benjamineed24012016-08-13 19:26:00 -0400308 if c.config.Bugs.SendClientVersion != 0 {
309 hello.vers = c.config.Bugs.SendClientVersion
310 }
311
David Benjamin75f99142016-11-12 12:36:06 +0900312 if c.config.Bugs.SendCipherSuites != nil {
313 hello.cipherSuites = c.config.Bugs.SendCipherSuites
314 }
315
David Benjamind86c7672014-08-02 04:07:12 -0400316 var helloBytes []byte
317 if c.config.Bugs.SendV2ClientHello {
David Benjamin94d701b2014-11-30 13:54:41 -0500318 // Test that the peer left-pads random.
319 hello.random[0] = 0
David Benjamind86c7672014-08-02 04:07:12 -0400320 v2Hello := &v2ClientHelloMsg{
321 vers: hello.vers,
322 cipherSuites: hello.cipherSuites,
323 // No session resumption for V2ClientHello.
324 sessionId: nil,
David Benjamin94d701b2014-11-30 13:54:41 -0500325 challenge: hello.random[1:],
David Benjamind86c7672014-08-02 04:07:12 -0400326 }
327 helloBytes = v2Hello.marshal()
328 c.writeV2Record(helloBytes)
329 } else {
Steven Valdeza833c352016-11-01 13:39:36 -0400330 if len(hello.pskIdentities) > 0 {
331 generatePSKBinders(hello, pskCipherSuite, session.masterSecret, []byte{}, c.config)
332 }
David Benjamind86c7672014-08-02 04:07:12 -0400333 helloBytes = hello.marshal()
Steven Valdeza833c352016-11-01 13:39:36 -0400334
David Benjamin7964b182016-07-14 23:36:30 -0400335 if c.config.Bugs.PartialClientFinishedWithClientHello {
336 // Include one byte of Finished. We can compute it
337 // without completing the handshake. This assumes we
338 // negotiate TLS 1.3 with no HelloRetryRequest or
339 // CertificateRequest.
340 toWrite := make([]byte, 0, len(helloBytes)+1)
341 toWrite = append(toWrite, helloBytes...)
342 toWrite = append(toWrite, typeFinished)
343 c.writeRecord(recordTypeHandshake, toWrite)
344 } else {
345 c.writeRecord(recordTypeHandshake, helloBytes)
346 }
David Benjamind86c7672014-08-02 04:07:12 -0400347 }
David Benjamin582ba042016-07-07 12:33:25 -0700348 c.flushHandshake()
Adam Langley95c29f32014-06-20 12:00:00 -0700349
David Benjamin83f90402015-01-27 01:09:43 -0500350 if err := c.simulatePacketLoss(nil); err != nil {
351 return err
352 }
Adam Langley95c29f32014-06-20 12:00:00 -0700353 msg, err := c.readHandshake()
354 if err != nil {
355 return err
356 }
David Benjamin83c0bc92014-08-04 01:23:53 -0400357
358 if c.isDTLS {
359 helloVerifyRequest, ok := msg.(*helloVerifyRequestMsg)
360 if ok {
David Benjaminda4789e2016-10-31 19:23:34 -0400361 if helloVerifyRequest.vers != versionToWire(VersionTLS10, c.isDTLS) {
David Benjamin8bc38f52014-08-16 12:07:27 -0400362 // Per RFC 6347, the version field in
363 // HelloVerifyRequest SHOULD be always DTLS
364 // 1.0. Enforce this for testing purposes.
365 return errors.New("dtls: bad HelloVerifyRequest version")
366 }
367
David Benjamin83c0bc92014-08-04 01:23:53 -0400368 hello.raw = nil
369 hello.cookie = helloVerifyRequest.cookie
370 helloBytes = hello.marshal()
371 c.writeRecord(recordTypeHandshake, helloBytes)
David Benjamin582ba042016-07-07 12:33:25 -0700372 c.flushHandshake()
David Benjamin83c0bc92014-08-04 01:23:53 -0400373
David Benjamin83f90402015-01-27 01:09:43 -0500374 if err := c.simulatePacketLoss(nil); err != nil {
375 return err
376 }
David Benjamin83c0bc92014-08-04 01:23:53 -0400377 msg, err = c.readHandshake()
378 if err != nil {
379 return err
380 }
381 }
382 }
383
David Benjamin3c6a1ea2016-09-26 18:30:05 -0400384 var serverWireVersion uint16
Nick Harperdcfbc672016-07-16 17:47:31 +0200385 switch m := msg.(type) {
386 case *helloRetryRequestMsg:
David Benjamin3c6a1ea2016-09-26 18:30:05 -0400387 serverWireVersion = m.vers
Nick Harperdcfbc672016-07-16 17:47:31 +0200388 case *serverHelloMsg:
David Benjamin3c6a1ea2016-09-26 18:30:05 -0400389 serverWireVersion = m.vers
Nick Harperdcfbc672016-07-16 17:47:31 +0200390 default:
391 c.sendAlert(alertUnexpectedMessage)
392 return fmt.Errorf("tls: received unexpected message of type %T when waiting for HelloRetryRequest or ServerHello", msg)
393 }
394
David Benjaminb1dd8cd2016-09-26 19:20:48 -0400395 serverVersion, ok := wireToVersion(serverWireVersion, c.isDTLS)
396 if ok {
Steven Valdezfdd10992016-09-15 16:27:05 -0400397 ok = c.config.isSupportedVersion(serverVersion, c.isDTLS)
David Benjaminb1dd8cd2016-09-26 19:20:48 -0400398 }
Nick Harperdcfbc672016-07-16 17:47:31 +0200399 if !ok {
400 c.sendAlert(alertProtocolVersion)
401 return fmt.Errorf("tls: server selected unsupported protocol version %x", c.vers)
402 }
Steven Valdezfdd10992016-09-15 16:27:05 -0400403 c.vers = serverVersion
Nick Harperdcfbc672016-07-16 17:47:31 +0200404 c.haveVers = true
405
406 helloRetryRequest, haveHelloRetryRequest := msg.(*helloRetryRequestMsg)
407 var secondHelloBytes []byte
408 if haveHelloRetryRequest {
David Benjamin3baa6e12016-10-07 21:10:38 -0400409 if len(helloRetryRequest.cookie) > 0 {
410 hello.tls13Cookie = helloRetryRequest.cookie
411 }
412
Steven Valdez5440fe02016-07-18 12:40:30 -0400413 if c.config.Bugs.MisinterpretHelloRetryRequestCurve != 0 {
David Benjamin3baa6e12016-10-07 21:10:38 -0400414 helloRetryRequest.hasSelectedGroup = true
Steven Valdez5440fe02016-07-18 12:40:30 -0400415 helloRetryRequest.selectedGroup = c.config.Bugs.MisinterpretHelloRetryRequestCurve
416 }
David Benjamin3baa6e12016-10-07 21:10:38 -0400417 if helloRetryRequest.hasSelectedGroup {
418 var hrrCurveFound bool
419 group := helloRetryRequest.selectedGroup
420 for _, curveID := range hello.supportedCurves {
421 if group == curveID {
422 hrrCurveFound = true
423 break
424 }
Nick Harperdcfbc672016-07-16 17:47:31 +0200425 }
David Benjamin3baa6e12016-10-07 21:10:38 -0400426 if !hrrCurveFound || keyShares[group] != nil {
427 c.sendAlert(alertHandshakeFailure)
428 return errors.New("tls: received invalid HelloRetryRequest")
429 }
430 curve, ok := curveForCurveID(group)
431 if !ok {
432 return errors.New("tls: Unable to get curve requested in HelloRetryRequest")
433 }
434 publicKey, err := curve.offer(c.config.rand())
435 if err != nil {
436 return err
437 }
438 keyShares[group] = curve
Steven Valdeza833c352016-11-01 13:39:36 -0400439 hello.keyShares = []keyShareEntry{{
David Benjamin3baa6e12016-10-07 21:10:38 -0400440 group: group,
441 keyExchange: publicKey,
Steven Valdeza833c352016-11-01 13:39:36 -0400442 }}
Nick Harperdcfbc672016-07-16 17:47:31 +0200443 }
Nick Harperdcfbc672016-07-16 17:47:31 +0200444
Steven Valdez5440fe02016-07-18 12:40:30 -0400445 if c.config.Bugs.SecondClientHelloMissingKeyShare {
446 hello.hasKeyShares = false
447 }
448
Nick Harperdcfbc672016-07-16 17:47:31 +0200449 hello.hasEarlyData = false
Nick Harperdcfbc672016-07-16 17:47:31 +0200450 hello.raw = nil
451
Steven Valdeza833c352016-11-01 13:39:36 -0400452 if len(hello.pskIdentities) > 0 {
453 generatePSKBinders(hello, pskCipherSuite, session.masterSecret, append(helloBytes, helloRetryRequest.marshal()...), c.config)
454 }
Nick Harperdcfbc672016-07-16 17:47:31 +0200455 secondHelloBytes = hello.marshal()
456 c.writeRecord(recordTypeHandshake, secondHelloBytes)
457 c.flushHandshake()
458
459 msg, err = c.readHandshake()
460 if err != nil {
461 return err
462 }
463 }
464
Adam Langley95c29f32014-06-20 12:00:00 -0700465 serverHello, ok := msg.(*serverHelloMsg)
466 if !ok {
467 c.sendAlert(alertUnexpectedMessage)
468 return unexpectedMessageError(serverHello, msg)
469 }
470
David Benjamin3c6a1ea2016-09-26 18:30:05 -0400471 if serverWireVersion != serverHello.vers {
Adam Langley95c29f32014-06-20 12:00:00 -0700472 c.sendAlert(alertProtocolVersion)
David Benjamin3c6a1ea2016-09-26 18:30:05 -0400473 return fmt.Errorf("tls: server sent non-matching version %x vs %x", serverWireVersion, serverHello.vers)
Adam Langley95c29f32014-06-20 12:00:00 -0700474 }
Adam Langley95c29f32014-06-20 12:00:00 -0700475
Nick Harper85f20c22016-07-04 10:11:59 -0700476 // Check for downgrade signals in the server random, per
David Benjamina128a552016-10-13 14:26:33 -0400477 // draft-ietf-tls-tls13-16, section 4.1.3.
Nick Harper85f20c22016-07-04 10:11:59 -0700478 if c.vers <= VersionTLS12 && c.config.maxVersion(c.isDTLS) >= VersionTLS13 {
David Benjamin1f61f0d2016-07-10 12:20:35 -0400479 if bytes.Equal(serverHello.random[len(serverHello.random)-8:], downgradeTLS13) {
Nick Harper85f20c22016-07-04 10:11:59 -0700480 c.sendAlert(alertProtocolVersion)
481 return errors.New("tls: downgrade from TLS 1.3 detected")
482 }
483 }
484 if c.vers <= VersionTLS11 && c.config.maxVersion(c.isDTLS) >= VersionTLS12 {
David Benjamin1f61f0d2016-07-10 12:20:35 -0400485 if bytes.Equal(serverHello.random[len(serverHello.random)-8:], downgradeTLS12) {
Nick Harper85f20c22016-07-04 10:11:59 -0700486 c.sendAlert(alertProtocolVersion)
487 return errors.New("tls: downgrade from TLS 1.2 detected")
488 }
489 }
490
Nick Harper0b3625b2016-07-25 16:16:28 -0700491 suite := mutualCipherSuite(hello.cipherSuites, serverHello.cipherSuite)
Adam Langley95c29f32014-06-20 12:00:00 -0700492 if suite == nil {
493 c.sendAlert(alertHandshakeFailure)
494 return fmt.Errorf("tls: server selected an unsupported cipher suite")
495 }
496
David Benjamin3baa6e12016-10-07 21:10:38 -0400497 if haveHelloRetryRequest && helloRetryRequest.hasSelectedGroup && helloRetryRequest.selectedGroup != serverHello.keyShare.group {
Nick Harperdcfbc672016-07-16 17:47:31 +0200498 c.sendAlert(alertHandshakeFailure)
499 return errors.New("tls: ServerHello parameters did not match HelloRetryRequest")
500 }
501
Adam Langley95c29f32014-06-20 12:00:00 -0700502 hs := &clientHandshakeState{
503 c: c,
504 serverHello: serverHello,
505 hello: hello,
506 suite: suite,
507 finishedHash: newFinishedHash(c.vers, suite),
Nick Harperb41d2e42016-07-01 17:50:32 -0400508 keyShares: keyShares,
Adam Langley95c29f32014-06-20 12:00:00 -0700509 session: session,
510 }
511
David Benjamin83c0bc92014-08-04 01:23:53 -0400512 hs.writeHash(helloBytes, hs.c.sendHandshakeSeq-1)
Nick Harperdcfbc672016-07-16 17:47:31 +0200513 if haveHelloRetryRequest {
514 hs.writeServerHash(helloRetryRequest.marshal())
515 hs.writeClientHash(secondHelloBytes)
516 }
David Benjamin83c0bc92014-08-04 01:23:53 -0400517 hs.writeServerHash(hs.serverHello.marshal())
Adam Langley95c29f32014-06-20 12:00:00 -0700518
David Benjamin8d315d72016-07-18 01:03:18 +0200519 if c.vers >= VersionTLS13 {
Nick Harperb41d2e42016-07-01 17:50:32 -0400520 if err := hs.doTLS13Handshake(); err != nil {
Adam Langley95c29f32014-06-20 12:00:00 -0700521 return err
522 }
523 } else {
Nick Harperb41d2e42016-07-01 17:50:32 -0400524 if c.config.Bugs.EarlyChangeCipherSpec > 0 {
525 hs.establishKeys()
526 c.writeRecord(recordTypeChangeCipherSpec, []byte{1})
527 }
528
529 if hs.serverHello.compressionMethod != compressionNone {
530 c.sendAlert(alertUnexpectedMessage)
531 return errors.New("tls: server selected unsupported compression format")
532 }
533
534 err = hs.processServerExtensions(&serverHello.extensions)
535 if err != nil {
Adam Langley95c29f32014-06-20 12:00:00 -0700536 return err
537 }
Nick Harperb41d2e42016-07-01 17:50:32 -0400538
539 isResume, err := hs.processServerHello()
540 if err != nil {
Adam Langley95c29f32014-06-20 12:00:00 -0700541 return err
542 }
Nick Harperb41d2e42016-07-01 17:50:32 -0400543
544 if isResume {
545 if c.config.Bugs.EarlyChangeCipherSpec == 0 {
546 if err := hs.establishKeys(); err != nil {
547 return err
548 }
549 }
550 if err := hs.readSessionTicket(); err != nil {
551 return err
552 }
553 if err := hs.readFinished(c.firstFinished[:]); err != nil {
554 return err
555 }
556 if err := hs.sendFinished(nil, isResume); err != nil {
557 return err
558 }
559 } else {
560 if err := hs.doFullHandshake(); err != nil {
561 return err
562 }
563 if err := hs.establishKeys(); err != nil {
564 return err
565 }
566 if err := hs.sendFinished(c.firstFinished[:], isResume); err != nil {
567 return err
568 }
569 // Most retransmits are triggered by a timeout, but the final
570 // leg of the handshake is retransmited upon re-receiving a
571 // Finished.
572 if err := c.simulatePacketLoss(func() {
David Benjamin02edcd02016-07-27 17:40:37 -0400573 c.sendHandshakeSeq--
Nick Harperb41d2e42016-07-01 17:50:32 -0400574 c.writeRecord(recordTypeHandshake, hs.finishedBytes)
575 c.flushHandshake()
576 }); err != nil {
577 return err
578 }
579 if err := hs.readSessionTicket(); err != nil {
580 return err
581 }
582 if err := hs.readFinished(nil); err != nil {
583 return err
584 }
Adam Langley95c29f32014-06-20 12:00:00 -0700585 }
Nick Harperb41d2e42016-07-01 17:50:32 -0400586
587 if sessionCache != nil && hs.session != nil && session != hs.session {
588 if c.config.Bugs.RequireSessionTickets && len(hs.session.sessionTicket) == 0 {
589 return errors.New("tls: new session used session IDs instead of tickets")
590 }
591 sessionCache.Put(cacheKey, hs.session)
David Benjamin83f90402015-01-27 01:09:43 -0500592 }
Nick Harperb41d2e42016-07-01 17:50:32 -0400593
594 c.didResume = isResume
David Benjamin97a0a082016-07-13 17:57:35 -0400595 c.exporterSecret = hs.masterSecret
Adam Langley95c29f32014-06-20 12:00:00 -0700596 }
597
Adam Langley95c29f32014-06-20 12:00:00 -0700598 c.handshakeComplete = true
David Benjaminc565ebb2015-04-03 04:06:36 -0400599 c.cipherSuite = suite
600 copy(c.clientRandom[:], hs.hello.random)
601 copy(c.serverRandom[:], hs.serverHello.random)
Paul Lietar4fac72e2015-09-09 13:44:55 +0100602
Adam Langley95c29f32014-06-20 12:00:00 -0700603 return nil
604}
605
Nick Harperb41d2e42016-07-01 17:50:32 -0400606func (hs *clientHandshakeState) doTLS13Handshake() error {
607 c := hs.c
608
609 // Once the PRF hash is known, TLS 1.3 does not require a handshake
610 // buffer.
611 hs.finishedHash.discardHandshakeBuffer()
612
613 zeroSecret := hs.finishedHash.zeroSecret()
614
615 // Resolve PSK and compute the early secret.
616 //
617 // TODO(davidben): This will need to be handled slightly earlier once
618 // 0-RTT is implemented.
619 var psk []byte
Steven Valdez803c77a2016-09-06 14:13:43 -0400620 if hs.serverHello.hasPSKIdentity {
Nick Harper0b3625b2016-07-25 16:16:28 -0700621 // We send at most one PSK identity.
622 if hs.session == nil || hs.serverHello.pskIdentity != 0 {
623 c.sendAlert(alertUnknownPSKIdentity)
624 return errors.New("tls: server sent unknown PSK identity")
625 }
Steven Valdez803c77a2016-09-06 14:13:43 -0400626 if hs.session.cipherSuite != hs.suite.id {
Nick Harper0b3625b2016-07-25 16:16:28 -0700627 c.sendAlert(alertHandshakeFailure)
Steven Valdez803c77a2016-09-06 14:13:43 -0400628 return errors.New("tls: server sent invalid cipher suite")
Nick Harper0b3625b2016-07-25 16:16:28 -0700629 }
Steven Valdeza833c352016-11-01 13:39:36 -0400630 psk = hs.session.masterSecret
Nick Harper0b3625b2016-07-25 16:16:28 -0700631 c.didResume = true
Nick Harperb41d2e42016-07-01 17:50:32 -0400632 } else {
Nick Harperb41d2e42016-07-01 17:50:32 -0400633 psk = zeroSecret
Nick Harperb41d2e42016-07-01 17:50:32 -0400634 }
635
636 earlySecret := hs.finishedHash.extractKey(zeroSecret, psk)
637
Steven Valdeza833c352016-11-01 13:39:36 -0400638 if !hs.serverHello.hasKeyShare {
639 c.sendAlert(alertUnsupportedExtension)
640 return errors.New("tls: server omitted KeyShare on resumption.")
641 }
642
Nick Harperb41d2e42016-07-01 17:50:32 -0400643 // Resolve ECDHE and compute the handshake secret.
644 var ecdheSecret []byte
Steven Valdez803c77a2016-09-06 14:13:43 -0400645 if !c.config.Bugs.MissingKeyShare && !c.config.Bugs.SecondClientHelloMissingKeyShare {
Nick Harperb41d2e42016-07-01 17:50:32 -0400646 curve, ok := hs.keyShares[hs.serverHello.keyShare.group]
647 if !ok {
648 c.sendAlert(alertHandshakeFailure)
649 return errors.New("tls: server selected an unsupported group")
650 }
Steven Valdez5440fe02016-07-18 12:40:30 -0400651 c.curveID = hs.serverHello.keyShare.group
Nick Harperb41d2e42016-07-01 17:50:32 -0400652
653 var err error
654 ecdheSecret, err = curve.finish(hs.serverHello.keyShare.keyExchange)
655 if err != nil {
656 return err
657 }
658 } else {
Nick Harperb41d2e42016-07-01 17:50:32 -0400659 ecdheSecret = zeroSecret
660 }
661
662 // Compute the handshake secret.
663 handshakeSecret := hs.finishedHash.extractKey(earlySecret, ecdheSecret)
664
665 // Switch to handshake traffic keys.
Steven Valdezc4aa7272016-10-03 12:25:56 -0400666 clientHandshakeTrafficSecret := hs.finishedHash.deriveSecret(handshakeSecret, clientHandshakeTrafficLabel)
Steven Valdeza833c352016-11-01 13:39:36 -0400667 c.out.useTrafficSecret(c.vers, hs.suite, clientHandshakeTrafficSecret, clientWrite)
Steven Valdezc4aa7272016-10-03 12:25:56 -0400668 serverHandshakeTrafficSecret := hs.finishedHash.deriveSecret(handshakeSecret, serverHandshakeTrafficLabel)
Steven Valdeza833c352016-11-01 13:39:36 -0400669 c.in.useTrafficSecret(c.vers, hs.suite, serverHandshakeTrafficSecret, serverWrite)
Nick Harperb41d2e42016-07-01 17:50:32 -0400670
671 msg, err := c.readHandshake()
672 if err != nil {
673 return err
674 }
675
676 encryptedExtensions, ok := msg.(*encryptedExtensionsMsg)
677 if !ok {
678 c.sendAlert(alertUnexpectedMessage)
679 return unexpectedMessageError(encryptedExtensions, msg)
680 }
681 hs.writeServerHash(encryptedExtensions.marshal())
682
683 err = hs.processServerExtensions(&encryptedExtensions.extensions)
684 if err != nil {
685 return err
686 }
687
688 var chainToSend *Certificate
David Benjamin8d343b42016-07-09 14:26:01 -0700689 var certReq *certificateRequestMsg
Steven Valdeza833c352016-11-01 13:39:36 -0400690 if c.didResume {
Nick Harper0b3625b2016-07-25 16:16:28 -0700691 // Copy over authentication from the session.
692 c.peerCertificates = hs.session.serverCertificates
693 c.sctList = hs.session.sctList
694 c.ocspResponse = hs.session.ocspResponse
David Benjamin44b33bc2016-07-01 22:40:23 -0400695 } else {
Nick Harperb41d2e42016-07-01 17:50:32 -0400696 msg, err := c.readHandshake()
697 if err != nil {
698 return err
699 }
700
David Benjamin8d343b42016-07-09 14:26:01 -0700701 var ok bool
702 certReq, ok = msg.(*certificateRequestMsg)
Nick Harperb41d2e42016-07-01 17:50:32 -0400703 if ok {
David Benjamin8a8349b2016-08-18 02:32:23 -0400704 if len(certReq.requestContext) != 0 {
705 return errors.New("tls: non-empty certificate request context sent in handshake")
706 }
707
David Benjaminb62d2872016-07-18 14:55:02 +0200708 if c.config.Bugs.IgnorePeerSignatureAlgorithmPreferences {
709 certReq.signatureAlgorithms = c.config.signSignatureAlgorithms()
710 }
711
Nick Harperb41d2e42016-07-01 17:50:32 -0400712 hs.writeServerHash(certReq.marshal())
Nick Harperb41d2e42016-07-01 17:50:32 -0400713
714 chainToSend, err = selectClientCertificate(c, certReq)
715 if err != nil {
716 return err
717 }
718
719 msg, err = c.readHandshake()
720 if err != nil {
721 return err
722 }
723 }
724
725 certMsg, ok := msg.(*certificateMsg)
726 if !ok {
727 c.sendAlert(alertUnexpectedMessage)
728 return unexpectedMessageError(certMsg, msg)
729 }
730 hs.writeServerHash(certMsg.marshal())
731
732 if err := hs.verifyCertificates(certMsg); err != nil {
733 return err
734 }
735 leaf := c.peerCertificates[0]
Steven Valdeza833c352016-11-01 13:39:36 -0400736 c.ocspResponse = certMsg.certificates[0].ocspResponse
737 c.sctList = certMsg.certificates[0].sctList
738
739 if c.config.Bugs.ExpectNoExtensionsOnIntermediate {
740 for _, cert := range certMsg.certificates[1:] {
741 if cert.ocspResponse != nil || cert.sctList != nil {
742 c.sendAlert(alertUnsupportedExtension)
743 return errors.New("tls: unexpected extensions in the client certificate")
744 }
745 }
746 }
Nick Harperb41d2e42016-07-01 17:50:32 -0400747
748 msg, err = c.readHandshake()
749 if err != nil {
750 return err
751 }
752 certVerifyMsg, ok := msg.(*certificateVerifyMsg)
753 if !ok {
754 c.sendAlert(alertUnexpectedMessage)
755 return unexpectedMessageError(certVerifyMsg, msg)
756 }
757
David Benjaminf74ec792016-07-13 21:18:49 -0400758 c.peerSignatureAlgorithm = certVerifyMsg.signatureAlgorithm
Nick Harperb41d2e42016-07-01 17:50:32 -0400759 input := hs.finishedHash.certificateVerifyInput(serverCertificateVerifyContextTLS13)
David Benjamin1fb125c2016-07-08 18:52:12 -0700760 err = verifyMessage(c.vers, leaf.PublicKey, c.config, certVerifyMsg.signatureAlgorithm, input, certVerifyMsg.signature)
Nick Harperb41d2e42016-07-01 17:50:32 -0400761 if err != nil {
762 return err
763 }
764
765 hs.writeServerHash(certVerifyMsg.marshal())
766 }
767
768 msg, err = c.readHandshake()
769 if err != nil {
770 return err
771 }
772 serverFinished, ok := msg.(*finishedMsg)
773 if !ok {
774 c.sendAlert(alertUnexpectedMessage)
775 return unexpectedMessageError(serverFinished, msg)
776 }
777
Steven Valdezc4aa7272016-10-03 12:25:56 -0400778 verify := hs.finishedHash.serverSum(serverHandshakeTrafficSecret)
Nick Harperb41d2e42016-07-01 17:50:32 -0400779 if len(verify) != len(serverFinished.verifyData) ||
780 subtle.ConstantTimeCompare(verify, serverFinished.verifyData) != 1 {
781 c.sendAlert(alertHandshakeFailure)
782 return errors.New("tls: server's Finished message was incorrect")
783 }
784
785 hs.writeServerHash(serverFinished.marshal())
786
787 // The various secrets do not incorporate the client's final leg, so
788 // derive them now before updating the handshake context.
789 masterSecret := hs.finishedHash.extractKey(handshakeSecret, zeroSecret)
Steven Valdezc4aa7272016-10-03 12:25:56 -0400790 clientTrafficSecret := hs.finishedHash.deriveSecret(masterSecret, clientApplicationTrafficLabel)
791 serverTrafficSecret := hs.finishedHash.deriveSecret(masterSecret, serverApplicationTrafficLabel)
Nick Harperb41d2e42016-07-01 17:50:32 -0400792
Steven Valdez0ee2e112016-07-15 06:51:15 -0400793 if certReq != nil && !c.config.Bugs.SkipClientCertificate {
David Benjamin8d343b42016-07-09 14:26:01 -0700794 certMsg := &certificateMsg{
795 hasRequestContext: true,
796 requestContext: certReq.requestContext,
797 }
798 if chainToSend != nil {
Steven Valdeza833c352016-11-01 13:39:36 -0400799 for _, certData := range chainToSend.Certificate {
800 certMsg.certificates = append(certMsg.certificates, certificateEntry{
801 data: certData,
802 extraExtension: c.config.Bugs.SendExtensionOnCertificate,
803 })
804 }
David Benjamin8d343b42016-07-09 14:26:01 -0700805 }
806 hs.writeClientHash(certMsg.marshal())
807 c.writeRecord(recordTypeHandshake, certMsg.marshal())
808
809 if chainToSend != nil {
810 certVerify := &certificateVerifyMsg{
811 hasSignatureAlgorithm: true,
812 }
813
814 // Determine the hash to sign.
815 privKey := chainToSend.PrivateKey
816
817 var err error
818 certVerify.signatureAlgorithm, err = selectSignatureAlgorithm(c.vers, privKey, c.config, certReq.signatureAlgorithms)
819 if err != nil {
820 c.sendAlert(alertInternalError)
821 return err
822 }
823
824 input := hs.finishedHash.certificateVerifyInput(clientCertificateVerifyContextTLS13)
825 certVerify.signature, err = signMessage(c.vers, privKey, c.config, certVerify.signatureAlgorithm, input)
826 if err != nil {
827 c.sendAlert(alertInternalError)
828 return err
829 }
Steven Valdez0ee2e112016-07-15 06:51:15 -0400830 if c.config.Bugs.SendSignatureAlgorithm != 0 {
831 certVerify.signatureAlgorithm = c.config.Bugs.SendSignatureAlgorithm
832 }
David Benjamin8d343b42016-07-09 14:26:01 -0700833
834 hs.writeClientHash(certVerify.marshal())
835 c.writeRecord(recordTypeHandshake, certVerify.marshal())
836 }
Nick Harperb41d2e42016-07-01 17:50:32 -0400837 }
838
Nick Harper60a85cb2016-09-23 16:25:11 -0700839 if encryptedExtensions.extensions.channelIDRequested {
840 channelIDHash := crypto.SHA256.New()
841 channelIDHash.Write(hs.finishedHash.certificateVerifyInput(channelIDContextTLS13))
842 channelIDMsgBytes, err := hs.writeChannelIDMessage(channelIDHash.Sum(nil))
843 if err != nil {
844 return err
845 }
846 hs.writeClientHash(channelIDMsgBytes)
847 c.writeRecord(recordTypeHandshake, channelIDMsgBytes)
848 }
849
Nick Harperb41d2e42016-07-01 17:50:32 -0400850 // Send a client Finished message.
851 finished := new(finishedMsg)
Steven Valdezc4aa7272016-10-03 12:25:56 -0400852 finished.verifyData = hs.finishedHash.clientSum(clientHandshakeTrafficSecret)
Nick Harperb41d2e42016-07-01 17:50:32 -0400853 if c.config.Bugs.BadFinished {
854 finished.verifyData[0]++
855 }
David Benjamin97a0a082016-07-13 17:57:35 -0400856 hs.writeClientHash(finished.marshal())
David Benjamin7964b182016-07-14 23:36:30 -0400857 if c.config.Bugs.PartialClientFinishedWithClientHello {
858 // The first byte has already been sent.
859 c.writeRecord(recordTypeHandshake, finished.marshal()[1:])
860 } else {
861 c.writeRecord(recordTypeHandshake, finished.marshal())
862 }
David Benjamin02edcd02016-07-27 17:40:37 -0400863 if c.config.Bugs.SendExtraFinished {
864 c.writeRecord(recordTypeHandshake, finished.marshal())
865 }
David Benjaminee51a222016-07-07 18:34:12 -0700866 c.flushHandshake()
Nick Harperb41d2e42016-07-01 17:50:32 -0400867
868 // Switch to application data keys.
Steven Valdeza833c352016-11-01 13:39:36 -0400869 c.out.useTrafficSecret(c.vers, hs.suite, clientTrafficSecret, clientWrite)
870 c.in.useTrafficSecret(c.vers, hs.suite, serverTrafficSecret, serverWrite)
Nick Harperb41d2e42016-07-01 17:50:32 -0400871
David Benjamin97a0a082016-07-13 17:57:35 -0400872 c.exporterSecret = hs.finishedHash.deriveSecret(masterSecret, exporterLabel)
David Benjamind5a4ecb2016-07-18 01:17:13 +0200873 c.resumptionSecret = hs.finishedHash.deriveSecret(masterSecret, resumptionLabel)
Nick Harperb41d2e42016-07-01 17:50:32 -0400874 return nil
875}
876
Adam Langley95c29f32014-06-20 12:00:00 -0700877func (hs *clientHandshakeState) doFullHandshake() error {
878 c := hs.c
879
David Benjamin48cae082014-10-27 01:06:24 -0400880 var leaf *x509.Certificate
881 if hs.suite.flags&suitePSK == 0 {
882 msg, err := c.readHandshake()
Adam Langley95c29f32014-06-20 12:00:00 -0700883 if err != nil {
Adam Langley95c29f32014-06-20 12:00:00 -0700884 return err
885 }
Adam Langley95c29f32014-06-20 12:00:00 -0700886
David Benjamin48cae082014-10-27 01:06:24 -0400887 certMsg, ok := msg.(*certificateMsg)
David Benjamin75051442016-07-01 18:58:51 -0400888 if !ok {
David Benjamin48cae082014-10-27 01:06:24 -0400889 c.sendAlert(alertUnexpectedMessage)
890 return unexpectedMessageError(certMsg, msg)
891 }
892 hs.writeServerHash(certMsg.marshal())
Adam Langley95c29f32014-06-20 12:00:00 -0700893
David Benjamin75051442016-07-01 18:58:51 -0400894 if err := hs.verifyCertificates(certMsg); err != nil {
895 return err
David Benjamin48cae082014-10-27 01:06:24 -0400896 }
David Benjamin75051442016-07-01 18:58:51 -0400897 leaf = c.peerCertificates[0]
David Benjamin48cae082014-10-27 01:06:24 -0400898 }
Adam Langley95c29f32014-06-20 12:00:00 -0700899
Nick Harperb3d51be2016-07-01 11:43:18 -0400900 if hs.serverHello.extensions.ocspStapling {
David Benjamin48cae082014-10-27 01:06:24 -0400901 msg, err := c.readHandshake()
Adam Langley95c29f32014-06-20 12:00:00 -0700902 if err != nil {
903 return err
904 }
905 cs, ok := msg.(*certificateStatusMsg)
906 if !ok {
907 c.sendAlert(alertUnexpectedMessage)
908 return unexpectedMessageError(cs, msg)
909 }
David Benjamin83c0bc92014-08-04 01:23:53 -0400910 hs.writeServerHash(cs.marshal())
Adam Langley95c29f32014-06-20 12:00:00 -0700911
912 if cs.statusType == statusTypeOCSP {
913 c.ocspResponse = cs.response
914 }
915 }
916
David Benjamin48cae082014-10-27 01:06:24 -0400917 msg, err := c.readHandshake()
Adam Langley95c29f32014-06-20 12:00:00 -0700918 if err != nil {
919 return err
920 }
921
922 keyAgreement := hs.suite.ka(c.vers)
923
924 skx, ok := msg.(*serverKeyExchangeMsg)
925 if ok {
David Benjamin83c0bc92014-08-04 01:23:53 -0400926 hs.writeServerHash(skx.marshal())
David Benjamin48cae082014-10-27 01:06:24 -0400927 err = keyAgreement.processServerKeyExchange(c.config, hs.hello, hs.serverHello, leaf, skx)
Adam Langley95c29f32014-06-20 12:00:00 -0700928 if err != nil {
929 c.sendAlert(alertUnexpectedMessage)
930 return err
931 }
Steven Valdez5440fe02016-07-18 12:40:30 -0400932 if ecdhe, ok := keyAgreement.(*ecdheKeyAgreement); ok {
933 c.curveID = ecdhe.curveID
934 }
Adam Langley95c29f32014-06-20 12:00:00 -0700935
Nick Harper60edffd2016-06-21 15:19:24 -0700936 c.peerSignatureAlgorithm = keyAgreement.peerSignatureAlgorithm()
937
Adam Langley95c29f32014-06-20 12:00:00 -0700938 msg, err = c.readHandshake()
939 if err != nil {
940 return err
941 }
942 }
943
944 var chainToSend *Certificate
945 var certRequested bool
946 certReq, ok := msg.(*certificateRequestMsg)
947 if ok {
948 certRequested = true
David Benjamin7a41d372016-07-09 11:21:54 -0700949 if c.config.Bugs.IgnorePeerSignatureAlgorithmPreferences {
950 certReq.signatureAlgorithms = c.config.signSignatureAlgorithms()
951 }
Adam Langley95c29f32014-06-20 12:00:00 -0700952
David Benjamin83c0bc92014-08-04 01:23:53 -0400953 hs.writeServerHash(certReq.marshal())
Adam Langley95c29f32014-06-20 12:00:00 -0700954
David Benjamina6f82632016-07-01 18:44:02 -0400955 chainToSend, err = selectClientCertificate(c, certReq)
956 if err != nil {
957 return err
Adam Langley95c29f32014-06-20 12:00:00 -0700958 }
959
960 msg, err = c.readHandshake()
961 if err != nil {
962 return err
963 }
964 }
965
966 shd, ok := msg.(*serverHelloDoneMsg)
967 if !ok {
968 c.sendAlert(alertUnexpectedMessage)
969 return unexpectedMessageError(shd, msg)
970 }
David Benjamin83c0bc92014-08-04 01:23:53 -0400971 hs.writeServerHash(shd.marshal())
Adam Langley95c29f32014-06-20 12:00:00 -0700972
973 // If the server requested a certificate then we have to send a
David Benjamin0b7ca7d2016-03-10 15:44:22 -0500974 // Certificate message in TLS, even if it's empty because we don't have
975 // a certificate to send. In SSL 3.0, skip the message and send a
976 // no_certificate warning alert.
Adam Langley95c29f32014-06-20 12:00:00 -0700977 if certRequested {
David Benjamin0b7ca7d2016-03-10 15:44:22 -0500978 if c.vers == VersionSSL30 && chainToSend == nil {
979 c.sendAlert(alertNoCertficate)
980 } else if !c.config.Bugs.SkipClientCertificate {
981 certMsg := new(certificateMsg)
982 if chainToSend != nil {
Steven Valdeza833c352016-11-01 13:39:36 -0400983 for _, certData := range chainToSend.Certificate {
984 certMsg.certificates = append(certMsg.certificates, certificateEntry{
985 data: certData,
986 })
987 }
David Benjamin0b7ca7d2016-03-10 15:44:22 -0500988 }
989 hs.writeClientHash(certMsg.marshal())
990 c.writeRecord(recordTypeHandshake, certMsg.marshal())
Adam Langley95c29f32014-06-20 12:00:00 -0700991 }
Adam Langley95c29f32014-06-20 12:00:00 -0700992 }
993
David Benjamin48cae082014-10-27 01:06:24 -0400994 preMasterSecret, ckx, err := keyAgreement.generateClientKeyExchange(c.config, hs.hello, leaf)
Adam Langley95c29f32014-06-20 12:00:00 -0700995 if err != nil {
996 c.sendAlert(alertInternalError)
997 return err
998 }
999 if ckx != nil {
David Benjaminf3ec83d2014-07-21 22:42:34 -04001000 if c.config.Bugs.EarlyChangeCipherSpec < 2 {
David Benjamin83c0bc92014-08-04 01:23:53 -04001001 hs.writeClientHash(ckx.marshal())
David Benjaminf3ec83d2014-07-21 22:42:34 -04001002 }
Adam Langley95c29f32014-06-20 12:00:00 -07001003 c.writeRecord(recordTypeHandshake, ckx.marshal())
1004 }
1005
Nick Harperb3d51be2016-07-01 11:43:18 -04001006 if hs.serverHello.extensions.extendedMasterSecret && c.vers >= VersionTLS10 {
Adam Langley75712922014-10-10 16:23:43 -07001007 hs.masterSecret = extendedMasterFromPreMasterSecret(c.vers, hs.suite, preMasterSecret, hs.finishedHash)
1008 c.extendedMasterSecret = true
1009 } else {
1010 if c.config.Bugs.RequireExtendedMasterSecret {
1011 return errors.New("tls: extended master secret required but not supported by peer")
1012 }
1013 hs.masterSecret = masterFromPreMasterSecret(c.vers, hs.suite, preMasterSecret, hs.hello.random, hs.serverHello.random)
1014 }
David Benjamine098ec22014-08-27 23:13:20 -04001015
Adam Langley95c29f32014-06-20 12:00:00 -07001016 if chainToSend != nil {
Adam Langley95c29f32014-06-20 12:00:00 -07001017 certVerify := &certificateVerifyMsg{
Nick Harper60edffd2016-06-21 15:19:24 -07001018 hasSignatureAlgorithm: c.vers >= VersionTLS12,
Adam Langley95c29f32014-06-20 12:00:00 -07001019 }
1020
David Benjamin72dc7832015-03-16 17:49:43 -04001021 // Determine the hash to sign.
Nick Harper60edffd2016-06-21 15:19:24 -07001022 privKey := c.config.Certificates[0].PrivateKey
David Benjamin72dc7832015-03-16 17:49:43 -04001023
Nick Harper60edffd2016-06-21 15:19:24 -07001024 if certVerify.hasSignatureAlgorithm {
David Benjamin0a8deb22016-07-09 21:02:01 -07001025 certVerify.signatureAlgorithm, err = selectSignatureAlgorithm(c.vers, privKey, c.config, certReq.signatureAlgorithms)
Nick Harper60edffd2016-06-21 15:19:24 -07001026 if err != nil {
1027 c.sendAlert(alertInternalError)
1028 return err
Adam Langley95c29f32014-06-20 12:00:00 -07001029 }
Nick Harper60edffd2016-06-21 15:19:24 -07001030 }
1031
1032 if c.vers > VersionSSL30 {
David Benjamin5208fd42016-07-13 21:43:25 -04001033 certVerify.signature, err = signMessage(c.vers, privKey, c.config, certVerify.signatureAlgorithm, hs.finishedHash.buffer)
David Benjamina95e9f32016-07-08 16:28:04 -07001034 if err == nil && c.config.Bugs.SendSignatureAlgorithm != 0 {
1035 certVerify.signatureAlgorithm = c.config.Bugs.SendSignatureAlgorithm
1036 }
Nick Harper60edffd2016-06-21 15:19:24 -07001037 } else {
1038 // SSL 3.0's client certificate construction is
1039 // incompatible with signatureAlgorithm.
1040 rsaKey, ok := privKey.(*rsa.PrivateKey)
1041 if !ok {
1042 err = errors.New("unsupported signature type for client certificate")
1043 } else {
1044 digest := hs.finishedHash.hashForClientCertificateSSL3(hs.masterSecret)
David Benjamin5208fd42016-07-13 21:43:25 -04001045 if c.config.Bugs.InvalidSignature {
Nick Harper60edffd2016-06-21 15:19:24 -07001046 digest[0] ^= 0x80
1047 }
1048 certVerify.signature, err = rsa.SignPKCS1v15(c.config.rand(), rsaKey, crypto.MD5SHA1, digest)
1049 }
Adam Langley95c29f32014-06-20 12:00:00 -07001050 }
1051 if err != nil {
1052 c.sendAlert(alertInternalError)
1053 return errors.New("tls: failed to sign handshake with client certificate: " + err.Error())
1054 }
Adam Langley95c29f32014-06-20 12:00:00 -07001055
David Benjamin83c0bc92014-08-04 01:23:53 -04001056 hs.writeClientHash(certVerify.marshal())
Adam Langley95c29f32014-06-20 12:00:00 -07001057 c.writeRecord(recordTypeHandshake, certVerify.marshal())
1058 }
David Benjamin82261be2016-07-07 14:32:50 -07001059 // flushHandshake will be called in sendFinished.
Adam Langley95c29f32014-06-20 12:00:00 -07001060
David Benjamine098ec22014-08-27 23:13:20 -04001061 hs.finishedHash.discardHandshakeBuffer()
1062
Adam Langley95c29f32014-06-20 12:00:00 -07001063 return nil
1064}
1065
David Benjamin75051442016-07-01 18:58:51 -04001066func (hs *clientHandshakeState) verifyCertificates(certMsg *certificateMsg) error {
1067 c := hs.c
1068
1069 if len(certMsg.certificates) == 0 {
1070 c.sendAlert(alertIllegalParameter)
1071 return errors.New("tls: no certificates sent")
1072 }
1073
1074 certs := make([]*x509.Certificate, len(certMsg.certificates))
Steven Valdeza833c352016-11-01 13:39:36 -04001075 for i, certEntry := range certMsg.certificates {
1076 cert, err := x509.ParseCertificate(certEntry.data)
David Benjamin75051442016-07-01 18:58:51 -04001077 if err != nil {
1078 c.sendAlert(alertBadCertificate)
1079 return errors.New("tls: failed to parse certificate from server: " + err.Error())
1080 }
1081 certs[i] = cert
1082 }
1083
1084 if !c.config.InsecureSkipVerify {
1085 opts := x509.VerifyOptions{
1086 Roots: c.config.RootCAs,
1087 CurrentTime: c.config.time(),
1088 DNSName: c.config.ServerName,
1089 Intermediates: x509.NewCertPool(),
1090 }
1091
1092 for i, cert := range certs {
1093 if i == 0 {
1094 continue
1095 }
1096 opts.Intermediates.AddCert(cert)
1097 }
1098 var err error
1099 c.verifiedChains, err = certs[0].Verify(opts)
1100 if err != nil {
1101 c.sendAlert(alertBadCertificate)
1102 return err
1103 }
1104 }
1105
1106 switch certs[0].PublicKey.(type) {
1107 case *rsa.PublicKey, *ecdsa.PublicKey:
1108 break
1109 default:
1110 c.sendAlert(alertUnsupportedCertificate)
1111 return fmt.Errorf("tls: server's certificate contains an unsupported type of public key: %T", certs[0].PublicKey)
1112 }
1113
1114 c.peerCertificates = certs
1115 return nil
1116}
1117
Adam Langley95c29f32014-06-20 12:00:00 -07001118func (hs *clientHandshakeState) establishKeys() error {
1119 c := hs.c
1120
1121 clientMAC, serverMAC, clientKey, serverKey, clientIV, serverIV :=
Nick Harper1fd39d82016-06-14 18:14:35 -07001122 keysFromMasterSecret(c.vers, hs.suite, hs.masterSecret, hs.hello.random, hs.serverHello.random, hs.suite.macLen, hs.suite.keyLen, hs.suite.ivLen(c.vers))
Adam Langley95c29f32014-06-20 12:00:00 -07001123 var clientCipher, serverCipher interface{}
1124 var clientHash, serverHash macFunction
1125 if hs.suite.cipher != nil {
1126 clientCipher = hs.suite.cipher(clientKey, clientIV, false /* not for reading */)
1127 clientHash = hs.suite.mac(c.vers, clientMAC)
1128 serverCipher = hs.suite.cipher(serverKey, serverIV, true /* for reading */)
1129 serverHash = hs.suite.mac(c.vers, serverMAC)
1130 } else {
Nick Harper1fd39d82016-06-14 18:14:35 -07001131 clientCipher = hs.suite.aead(c.vers, clientKey, clientIV)
1132 serverCipher = hs.suite.aead(c.vers, serverKey, serverIV)
Adam Langley95c29f32014-06-20 12:00:00 -07001133 }
1134
1135 c.in.prepareCipherSpec(c.vers, serverCipher, serverHash)
1136 c.out.prepareCipherSpec(c.vers, clientCipher, clientHash)
1137 return nil
1138}
1139
David Benjamin75101402016-07-01 13:40:23 -04001140func (hs *clientHandshakeState) processServerExtensions(serverExtensions *serverExtensions) error {
1141 c := hs.c
1142
David Benjamin8d315d72016-07-18 01:03:18 +02001143 if c.vers < VersionTLS13 {
Nick Harperb41d2e42016-07-01 17:50:32 -04001144 if c.config.Bugs.RequireRenegotiationInfo && serverExtensions.secureRenegotiation == nil {
1145 return errors.New("tls: renegotiation extension missing")
1146 }
David Benjamin75101402016-07-01 13:40:23 -04001147
Nick Harperb41d2e42016-07-01 17:50:32 -04001148 if len(c.clientVerify) > 0 && !c.noRenegotiationInfo() {
1149 var expectedRenegInfo []byte
1150 expectedRenegInfo = append(expectedRenegInfo, c.clientVerify...)
1151 expectedRenegInfo = append(expectedRenegInfo, c.serverVerify...)
1152 if !bytes.Equal(serverExtensions.secureRenegotiation, expectedRenegInfo) {
1153 c.sendAlert(alertHandshakeFailure)
1154 return fmt.Errorf("tls: renegotiation mismatch")
1155 }
David Benjamin75101402016-07-01 13:40:23 -04001156 }
David Benjamincea0ab42016-07-14 12:33:14 -04001157 } else if serverExtensions.secureRenegotiation != nil {
1158 return errors.New("tls: renegotiation info sent in TLS 1.3")
David Benjamin75101402016-07-01 13:40:23 -04001159 }
1160
1161 if expected := c.config.Bugs.ExpectedCustomExtension; expected != nil {
1162 if serverExtensions.customExtension != *expected {
1163 return fmt.Errorf("tls: bad custom extension contents %q", serverExtensions.customExtension)
1164 }
1165 }
1166
1167 clientDidNPN := hs.hello.nextProtoNeg
1168 clientDidALPN := len(hs.hello.alpnProtocols) > 0
1169 serverHasNPN := serverExtensions.nextProtoNeg
1170 serverHasALPN := len(serverExtensions.alpnProtocol) > 0
1171
1172 if !clientDidNPN && serverHasNPN {
1173 c.sendAlert(alertHandshakeFailure)
1174 return errors.New("server advertised unrequested NPN extension")
1175 }
1176
1177 if !clientDidALPN && serverHasALPN {
1178 c.sendAlert(alertHandshakeFailure)
1179 return errors.New("server advertised unrequested ALPN extension")
1180 }
1181
1182 if serverHasNPN && serverHasALPN {
1183 c.sendAlert(alertHandshakeFailure)
1184 return errors.New("server advertised both NPN and ALPN extensions")
1185 }
1186
1187 if serverHasALPN {
1188 c.clientProtocol = serverExtensions.alpnProtocol
1189 c.clientProtocolFallback = false
1190 c.usedALPN = true
1191 }
1192
David Benjamin8d315d72016-07-18 01:03:18 +02001193 if serverHasNPN && c.vers >= VersionTLS13 {
Nick Harperb41d2e42016-07-01 17:50:32 -04001194 c.sendAlert(alertHandshakeFailure)
1195 return errors.New("server advertised NPN over TLS 1.3")
1196 }
1197
David Benjamin75101402016-07-01 13:40:23 -04001198 if !hs.hello.channelIDSupported && serverExtensions.channelIDRequested {
1199 c.sendAlert(alertHandshakeFailure)
1200 return errors.New("server advertised unrequested Channel ID extension")
1201 }
1202
David Benjamin8d315d72016-07-18 01:03:18 +02001203 if serverExtensions.extendedMasterSecret && c.vers >= VersionTLS13 {
David Benjamine9077652016-07-13 21:02:08 -04001204 return errors.New("tls: server advertised extended master secret over TLS 1.3")
1205 }
1206
David Benjamin8d315d72016-07-18 01:03:18 +02001207 if serverExtensions.ticketSupported && c.vers >= VersionTLS13 {
Steven Valdez143e8b32016-07-11 13:19:03 -04001208 return errors.New("tls: server advertised ticket extension over TLS 1.3")
1209 }
1210
Steven Valdeza833c352016-11-01 13:39:36 -04001211 if serverExtensions.ocspStapling && c.vers >= VersionTLS13 {
1212 return errors.New("tls: server advertised OCSP in ServerHello over TLS 1.3")
1213 }
1214
1215 if len(serverExtensions.sctList) > 0 && c.vers >= VersionTLS13 {
1216 return errors.New("tls: server advertised SCTs in ServerHello over TLS 1.3")
1217 }
1218
David Benjamin75101402016-07-01 13:40:23 -04001219 if serverExtensions.srtpProtectionProfile != 0 {
1220 if serverExtensions.srtpMasterKeyIdentifier != "" {
1221 return errors.New("tls: server selected SRTP MKI value")
1222 }
1223
1224 found := false
1225 for _, p := range c.config.SRTPProtectionProfiles {
1226 if p == serverExtensions.srtpProtectionProfile {
1227 found = true
1228 break
1229 }
1230 }
1231 if !found {
1232 return errors.New("tls: server advertised unsupported SRTP profile")
1233 }
1234
1235 c.srtpProtectionProfile = serverExtensions.srtpProtectionProfile
1236 }
1237
1238 return nil
1239}
1240
Adam Langley95c29f32014-06-20 12:00:00 -07001241func (hs *clientHandshakeState) serverResumedSession() bool {
1242 // If the server responded with the same sessionId then it means the
1243 // sessionTicket is being used to resume a TLS session.
1244 return hs.session != nil && hs.hello.sessionId != nil &&
1245 bytes.Equal(hs.serverHello.sessionId, hs.hello.sessionId)
1246}
1247
1248func (hs *clientHandshakeState) processServerHello() (bool, error) {
1249 c := hs.c
1250
Adam Langley95c29f32014-06-20 12:00:00 -07001251 if hs.serverResumedSession() {
David Benjamin4b27d9f2015-05-12 22:42:52 -04001252 // For test purposes, assert that the server never accepts the
1253 // resumption offer on renegotiation.
1254 if c.cipherSuite != nil && c.config.Bugs.FailIfResumeOnRenego {
1255 return false, errors.New("tls: server resumed session on renegotiation")
1256 }
1257
Nick Harperb3d51be2016-07-01 11:43:18 -04001258 if hs.serverHello.extensions.sctList != nil {
Paul Lietar62be8ac2015-09-16 10:03:30 +01001259 return false, errors.New("tls: server sent SCT extension on session resumption")
1260 }
1261
Nick Harperb3d51be2016-07-01 11:43:18 -04001262 if hs.serverHello.extensions.ocspStapling {
Paul Lietar62be8ac2015-09-16 10:03:30 +01001263 return false, errors.New("tls: server sent OCSP extension on session resumption")
1264 }
1265
Adam Langley95c29f32014-06-20 12:00:00 -07001266 // Restore masterSecret and peerCerts from previous state
1267 hs.masterSecret = hs.session.masterSecret
1268 c.peerCertificates = hs.session.serverCertificates
Adam Langley75712922014-10-10 16:23:43 -07001269 c.extendedMasterSecret = hs.session.extendedMasterSecret
Paul Lietar62be8ac2015-09-16 10:03:30 +01001270 c.sctList = hs.session.sctList
1271 c.ocspResponse = hs.session.ocspResponse
David Benjamine098ec22014-08-27 23:13:20 -04001272 hs.finishedHash.discardHandshakeBuffer()
Adam Langley95c29f32014-06-20 12:00:00 -07001273 return true, nil
1274 }
Paul Lietar62be8ac2015-09-16 10:03:30 +01001275
Nick Harperb3d51be2016-07-01 11:43:18 -04001276 if hs.serverHello.extensions.sctList != nil {
1277 c.sctList = hs.serverHello.extensions.sctList
Paul Lietar62be8ac2015-09-16 10:03:30 +01001278 }
1279
Adam Langley95c29f32014-06-20 12:00:00 -07001280 return false, nil
1281}
1282
Adam Langleyaf0e32c2015-06-03 09:57:23 -07001283func (hs *clientHandshakeState) readFinished(out []byte) error {
Adam Langley95c29f32014-06-20 12:00:00 -07001284 c := hs.c
1285
1286 c.readRecord(recordTypeChangeCipherSpec)
1287 if err := c.in.error(); err != nil {
1288 return err
1289 }
1290
1291 msg, err := c.readHandshake()
1292 if err != nil {
1293 return err
1294 }
1295 serverFinished, ok := msg.(*finishedMsg)
1296 if !ok {
1297 c.sendAlert(alertUnexpectedMessage)
1298 return unexpectedMessageError(serverFinished, msg)
1299 }
1300
David Benjaminf3ec83d2014-07-21 22:42:34 -04001301 if c.config.Bugs.EarlyChangeCipherSpec == 0 {
1302 verify := hs.finishedHash.serverSum(hs.masterSecret)
1303 if len(verify) != len(serverFinished.verifyData) ||
1304 subtle.ConstantTimeCompare(verify, serverFinished.verifyData) != 1 {
1305 c.sendAlert(alertHandshakeFailure)
1306 return errors.New("tls: server's Finished message was incorrect")
1307 }
Adam Langley95c29f32014-06-20 12:00:00 -07001308 }
Adam Langley2ae77d22014-10-28 17:29:33 -07001309 c.serverVerify = append(c.serverVerify[:0], serverFinished.verifyData...)
Adam Langleyaf0e32c2015-06-03 09:57:23 -07001310 copy(out, serverFinished.verifyData)
David Benjamin83c0bc92014-08-04 01:23:53 -04001311 hs.writeServerHash(serverFinished.marshal())
Adam Langley95c29f32014-06-20 12:00:00 -07001312 return nil
1313}
1314
1315func (hs *clientHandshakeState) readSessionTicket() error {
David Benjaminfe8eb9a2014-11-17 03:19:02 -05001316 c := hs.c
1317
1318 // Create a session with no server identifier. Either a
1319 // session ID or session ticket will be attached.
1320 session := &ClientSessionState{
1321 vers: c.vers,
1322 cipherSuite: hs.suite.id,
1323 masterSecret: hs.masterSecret,
Nick Harperc9846112016-10-17 15:05:35 -07001324 handshakeHash: hs.finishedHash.Sum(),
David Benjaminfe8eb9a2014-11-17 03:19:02 -05001325 serverCertificates: c.peerCertificates,
Paul Lietar62be8ac2015-09-16 10:03:30 +01001326 sctList: c.sctList,
1327 ocspResponse: c.ocspResponse,
Nick Harper0b3625b2016-07-25 16:16:28 -07001328 ticketExpiration: c.config.time().Add(time.Duration(7 * 24 * time.Hour)),
David Benjaminfe8eb9a2014-11-17 03:19:02 -05001329 }
1330
Nick Harperb3d51be2016-07-01 11:43:18 -04001331 if !hs.serverHello.extensions.ticketSupported {
David Benjamind98452d2015-06-16 14:16:23 -04001332 if c.config.Bugs.ExpectNewTicket {
1333 return errors.New("tls: expected new ticket")
1334 }
David Benjaminfe8eb9a2014-11-17 03:19:02 -05001335 if hs.session == nil && len(hs.serverHello.sessionId) > 0 {
1336 session.sessionId = hs.serverHello.sessionId
1337 hs.session = session
1338 }
Adam Langley95c29f32014-06-20 12:00:00 -07001339 return nil
1340 }
1341
David Benjaminc7ce9772015-10-09 19:32:41 -04001342 if c.vers == VersionSSL30 {
1343 return errors.New("tls: negotiated session tickets in SSL 3.0")
1344 }
1345
Adam Langley95c29f32014-06-20 12:00:00 -07001346 msg, err := c.readHandshake()
1347 if err != nil {
1348 return err
1349 }
1350 sessionTicketMsg, ok := msg.(*newSessionTicketMsg)
1351 if !ok {
1352 c.sendAlert(alertUnexpectedMessage)
1353 return unexpectedMessageError(sessionTicketMsg, msg)
1354 }
Adam Langley95c29f32014-06-20 12:00:00 -07001355
David Benjaminfe8eb9a2014-11-17 03:19:02 -05001356 session.sessionTicket = sessionTicketMsg.ticket
1357 hs.session = session
Adam Langley95c29f32014-06-20 12:00:00 -07001358
David Benjamind30a9902014-08-24 01:44:23 -04001359 hs.writeServerHash(sessionTicketMsg.marshal())
1360
Adam Langley95c29f32014-06-20 12:00:00 -07001361 return nil
1362}
1363
Adam Langleyaf0e32c2015-06-03 09:57:23 -07001364func (hs *clientHandshakeState) sendFinished(out []byte, isResume bool) error {
Adam Langley95c29f32014-06-20 12:00:00 -07001365 c := hs.c
1366
David Benjamin0b8d5da2016-07-15 00:39:56 -04001367 var postCCSMsgs [][]byte
David Benjamin83c0bc92014-08-04 01:23:53 -04001368 seqno := hs.c.sendHandshakeSeq
Nick Harperb3d51be2016-07-01 11:43:18 -04001369 if hs.serverHello.extensions.nextProtoNeg {
Adam Langley95c29f32014-06-20 12:00:00 -07001370 nextProto := new(nextProtoMsg)
Nick Harperb3d51be2016-07-01 11:43:18 -04001371 proto, fallback := mutualProtocol(c.config.NextProtos, hs.serverHello.extensions.nextProtos)
Adam Langley95c29f32014-06-20 12:00:00 -07001372 nextProto.proto = proto
1373 c.clientProtocol = proto
1374 c.clientProtocolFallback = fallback
1375
David Benjamin86271ee2014-07-21 16:14:03 -04001376 nextProtoBytes := nextProto.marshal()
David Benjamin83c0bc92014-08-04 01:23:53 -04001377 hs.writeHash(nextProtoBytes, seqno)
1378 seqno++
David Benjamin0b8d5da2016-07-15 00:39:56 -04001379 postCCSMsgs = append(postCCSMsgs, nextProtoBytes)
Adam Langley95c29f32014-06-20 12:00:00 -07001380 }
1381
Nick Harperb3d51be2016-07-01 11:43:18 -04001382 if hs.serverHello.extensions.channelIDRequested {
David Benjamind30a9902014-08-24 01:44:23 -04001383 var resumeHash []byte
1384 if isResume {
1385 resumeHash = hs.session.handshakeHash
1386 }
Nick Harper60a85cb2016-09-23 16:25:11 -07001387 channelIDMsgBytes, err := hs.writeChannelIDMessage(hs.finishedHash.hashForChannelID(resumeHash))
David Benjamind30a9902014-08-24 01:44:23 -04001388 if err != nil {
1389 return err
1390 }
David Benjamin24599a82016-06-30 18:56:53 -04001391 hs.writeHash(channelIDMsgBytes, seqno)
David Benjamind30a9902014-08-24 01:44:23 -04001392 seqno++
David Benjamin0b8d5da2016-07-15 00:39:56 -04001393 postCCSMsgs = append(postCCSMsgs, channelIDMsgBytes)
David Benjamind30a9902014-08-24 01:44:23 -04001394 }
1395
Adam Langley95c29f32014-06-20 12:00:00 -07001396 finished := new(finishedMsg)
David Benjaminf3ec83d2014-07-21 22:42:34 -04001397 if c.config.Bugs.EarlyChangeCipherSpec == 2 {
1398 finished.verifyData = hs.finishedHash.clientSum(nil)
1399 } else {
1400 finished.verifyData = hs.finishedHash.clientSum(hs.masterSecret)
1401 }
Adam Langleyaf0e32c2015-06-03 09:57:23 -07001402 copy(out, finished.verifyData)
David Benjamin513f0ea2015-04-02 19:33:31 -04001403 if c.config.Bugs.BadFinished {
1404 finished.verifyData[0]++
1405 }
Adam Langley2ae77d22014-10-28 17:29:33 -07001406 c.clientVerify = append(c.clientVerify[:0], finished.verifyData...)
David Benjamin83f90402015-01-27 01:09:43 -05001407 hs.finishedBytes = finished.marshal()
1408 hs.writeHash(hs.finishedBytes, seqno)
David Benjamin0b8d5da2016-07-15 00:39:56 -04001409 postCCSMsgs = append(postCCSMsgs, hs.finishedBytes)
David Benjamin86271ee2014-07-21 16:14:03 -04001410
1411 if c.config.Bugs.FragmentAcrossChangeCipherSpec {
David Benjamin0b8d5da2016-07-15 00:39:56 -04001412 c.writeRecord(recordTypeHandshake, postCCSMsgs[0][:5])
1413 postCCSMsgs[0] = postCCSMsgs[0][5:]
David Benjamin61672812016-07-14 23:10:43 -04001414 } else if c.config.Bugs.SendUnencryptedFinished {
David Benjamin0b8d5da2016-07-15 00:39:56 -04001415 c.writeRecord(recordTypeHandshake, postCCSMsgs[0])
1416 postCCSMsgs = postCCSMsgs[1:]
David Benjamin86271ee2014-07-21 16:14:03 -04001417 }
David Benjamin582ba042016-07-07 12:33:25 -07001418 c.flushHandshake()
David Benjamin86271ee2014-07-21 16:14:03 -04001419
1420 if !c.config.Bugs.SkipChangeCipherSpec &&
1421 c.config.Bugs.EarlyChangeCipherSpec == 0 {
David Benjamin8411b242015-11-26 12:07:28 -05001422 ccs := []byte{1}
1423 if c.config.Bugs.BadChangeCipherSpec != nil {
1424 ccs = c.config.Bugs.BadChangeCipherSpec
1425 }
1426 c.writeRecord(recordTypeChangeCipherSpec, ccs)
David Benjamin86271ee2014-07-21 16:14:03 -04001427 }
1428
David Benjamin4189bd92015-01-25 23:52:39 -05001429 if c.config.Bugs.AppDataAfterChangeCipherSpec != nil {
1430 c.writeRecord(recordTypeApplicationData, c.config.Bugs.AppDataAfterChangeCipherSpec)
1431 }
David Benjamindc3da932015-03-12 15:09:02 -04001432 if c.config.Bugs.AlertAfterChangeCipherSpec != 0 {
1433 c.sendAlert(c.config.Bugs.AlertAfterChangeCipherSpec)
1434 return errors.New("tls: simulating post-CCS alert")
1435 }
David Benjamin4189bd92015-01-25 23:52:39 -05001436
David Benjamin0b8d5da2016-07-15 00:39:56 -04001437 if !c.config.Bugs.SkipFinished {
1438 for _, msg := range postCCSMsgs {
1439 c.writeRecord(recordTypeHandshake, msg)
1440 }
David Benjamin02edcd02016-07-27 17:40:37 -04001441
1442 if c.config.Bugs.SendExtraFinished {
1443 c.writeRecord(recordTypeHandshake, finished.marshal())
1444 }
1445
David Benjamin582ba042016-07-07 12:33:25 -07001446 c.flushHandshake()
David Benjaminb3774b92015-01-31 17:16:01 -05001447 }
Adam Langley95c29f32014-06-20 12:00:00 -07001448 return nil
1449}
1450
Nick Harper60a85cb2016-09-23 16:25:11 -07001451func (hs *clientHandshakeState) writeChannelIDMessage(channelIDHash []byte) ([]byte, error) {
1452 c := hs.c
1453 channelIDMsg := new(channelIDMsg)
1454 if c.config.ChannelID.Curve != elliptic.P256() {
1455 return nil, fmt.Errorf("tls: Channel ID is not on P-256.")
1456 }
1457 r, s, err := ecdsa.Sign(c.config.rand(), c.config.ChannelID, channelIDHash)
1458 if err != nil {
1459 return nil, err
1460 }
1461 channelID := make([]byte, 128)
1462 writeIntPadded(channelID[0:32], c.config.ChannelID.X)
1463 writeIntPadded(channelID[32:64], c.config.ChannelID.Y)
1464 writeIntPadded(channelID[64:96], r)
1465 writeIntPadded(channelID[96:128], s)
1466 if c.config.Bugs.InvalidChannelIDSignature {
1467 channelID[64] ^= 1
1468 }
1469 channelIDMsg.channelID = channelID
1470
1471 c.channelID = &c.config.ChannelID.PublicKey
1472
1473 return channelIDMsg.marshal(), nil
1474}
1475
David Benjamin83c0bc92014-08-04 01:23:53 -04001476func (hs *clientHandshakeState) writeClientHash(msg []byte) {
1477 // writeClientHash is called before writeRecord.
1478 hs.writeHash(msg, hs.c.sendHandshakeSeq)
1479}
1480
1481func (hs *clientHandshakeState) writeServerHash(msg []byte) {
1482 // writeServerHash is called after readHandshake.
1483 hs.writeHash(msg, hs.c.recvHandshakeSeq-1)
1484}
1485
1486func (hs *clientHandshakeState) writeHash(msg []byte, seqno uint16) {
1487 if hs.c.isDTLS {
1488 // This is somewhat hacky. DTLS hashes a slightly different format.
1489 // First, the TLS header.
1490 hs.finishedHash.Write(msg[:4])
1491 // Then the sequence number and reassembled fragment offset (always 0).
1492 hs.finishedHash.Write([]byte{byte(seqno >> 8), byte(seqno), 0, 0, 0})
1493 // Then the reassembled fragment (always equal to the message length).
1494 hs.finishedHash.Write(msg[1:4])
1495 // And then the message body.
1496 hs.finishedHash.Write(msg[4:])
1497 } else {
1498 hs.finishedHash.Write(msg)
1499 }
1500}
1501
David Benjamina6f82632016-07-01 18:44:02 -04001502// selectClientCertificate selects a certificate for use with the given
1503// certificate, or none if none match. It may return a particular certificate or
1504// nil on success, or an error on internal error.
1505func selectClientCertificate(c *Conn, certReq *certificateRequestMsg) (*Certificate, error) {
1506 // RFC 4346 on the certificateAuthorities field:
1507 // A list of the distinguished names of acceptable certificate
1508 // authorities. These distinguished names may specify a desired
1509 // distinguished name for a root CA or for a subordinate CA; thus, this
1510 // message can be used to describe both known roots and a desired
1511 // authorization space. If the certificate_authorities list is empty
1512 // then the client MAY send any certificate of the appropriate
1513 // ClientCertificateType, unless there is some external arrangement to
1514 // the contrary.
1515
1516 var rsaAvail, ecdsaAvail bool
Nick Harperb41d2e42016-07-01 17:50:32 -04001517 if !certReq.hasRequestContext {
1518 for _, certType := range certReq.certificateTypes {
1519 switch certType {
1520 case CertTypeRSASign:
1521 rsaAvail = true
1522 case CertTypeECDSASign:
1523 ecdsaAvail = true
1524 }
David Benjamina6f82632016-07-01 18:44:02 -04001525 }
1526 }
1527
1528 // We need to search our list of client certs for one
1529 // where SignatureAlgorithm is RSA and the Issuer is in
1530 // certReq.certificateAuthorities
1531findCert:
1532 for i, chain := range c.config.Certificates {
Nick Harperb41d2e42016-07-01 17:50:32 -04001533 if !certReq.hasRequestContext && !rsaAvail && !ecdsaAvail {
David Benjamina6f82632016-07-01 18:44:02 -04001534 continue
1535 }
1536
1537 // Ensure the private key supports one of the advertised
1538 // signature algorithms.
1539 if certReq.hasSignatureAlgorithm {
David Benjamin0a8deb22016-07-09 21:02:01 -07001540 if _, err := selectSignatureAlgorithm(c.vers, chain.PrivateKey, c.config, certReq.signatureAlgorithms); err != nil {
David Benjamina6f82632016-07-01 18:44:02 -04001541 continue
1542 }
1543 }
1544
1545 for j, cert := range chain.Certificate {
1546 x509Cert := chain.Leaf
1547 // parse the certificate if this isn't the leaf
1548 // node, or if chain.Leaf was nil
1549 if j != 0 || x509Cert == nil {
1550 var err error
1551 if x509Cert, err = x509.ParseCertificate(cert); err != nil {
1552 c.sendAlert(alertInternalError)
1553 return nil, errors.New("tls: failed to parse client certificate #" + strconv.Itoa(i) + ": " + err.Error())
1554 }
1555 }
1556
Nick Harperb41d2e42016-07-01 17:50:32 -04001557 if !certReq.hasRequestContext {
1558 switch {
1559 case rsaAvail && x509Cert.PublicKeyAlgorithm == x509.RSA:
1560 case ecdsaAvail && x509Cert.PublicKeyAlgorithm == x509.ECDSA:
1561 default:
1562 continue findCert
1563 }
David Benjamina6f82632016-07-01 18:44:02 -04001564 }
1565
1566 if len(certReq.certificateAuthorities) == 0 {
1567 // They gave us an empty list, so just take the
1568 // first certificate of valid type from
1569 // c.config.Certificates.
1570 return &chain, nil
1571 }
1572
1573 for _, ca := range certReq.certificateAuthorities {
1574 if bytes.Equal(x509Cert.RawIssuer, ca) {
1575 return &chain, nil
1576 }
1577 }
1578 }
1579 }
1580
1581 return nil, nil
1582}
1583
Adam Langley95c29f32014-06-20 12:00:00 -07001584// clientSessionCacheKey returns a key used to cache sessionTickets that could
1585// be used to resume previously negotiated TLS sessions with a server.
1586func clientSessionCacheKey(serverAddr net.Addr, config *Config) string {
1587 if len(config.ServerName) > 0 {
1588 return config.ServerName
1589 }
1590 return serverAddr.String()
1591}
1592
David Benjaminfa055a22014-09-15 16:51:51 -04001593// mutualProtocol finds the mutual Next Protocol Negotiation or ALPN protocol
1594// given list of possible protocols and a list of the preference order. The
1595// first list must not be empty. It returns the resulting protocol and flag
Adam Langley95c29f32014-06-20 12:00:00 -07001596// indicating if the fallback case was reached.
David Benjaminfa055a22014-09-15 16:51:51 -04001597func mutualProtocol(protos, preferenceProtos []string) (string, bool) {
1598 for _, s := range preferenceProtos {
1599 for _, c := range protos {
Adam Langley95c29f32014-06-20 12:00:00 -07001600 if s == c {
1601 return s, false
1602 }
1603 }
1604 }
1605
David Benjaminfa055a22014-09-15 16:51:51 -04001606 return protos[0], true
Adam Langley95c29f32014-06-20 12:00:00 -07001607}
David Benjamind30a9902014-08-24 01:44:23 -04001608
1609// writeIntPadded writes x into b, padded up with leading zeros as
1610// needed.
1611func writeIntPadded(b []byte, x *big.Int) {
1612 for i := range b {
1613 b[i] = 0
1614 }
1615 xb := x.Bytes()
1616 copy(b[len(b)-len(xb):], xb)
1617}
Steven Valdeza833c352016-11-01 13:39:36 -04001618
1619func generatePSKBinders(hello *clientHelloMsg, pskCipherSuite *cipherSuite, psk, transcript []byte, config *Config) {
1620 if config.Bugs.SendNoPSKBinder {
1621 return
1622 }
1623
1624 binderLen := pskCipherSuite.hash().Size()
1625 if config.Bugs.SendShortPSKBinder {
1626 binderLen--
1627 }
1628
1629 // Fill hello.pskBinders with appropriate length arrays of zeros so the
1630 // length prefixes are correct when computing the binder over the truncated
1631 // ClientHello message.
1632 hello.pskBinders = make([][]byte, len(hello.pskIdentities))
1633 for i := range hello.pskIdentities {
1634 hello.pskBinders[i] = make([]byte, binderLen)
1635 }
1636
1637 helloBytes := hello.marshal()
1638 binderSize := len(hello.pskBinders)*(binderLen+1) + 2
1639 truncatedHello := helloBytes[:len(helloBytes)-binderSize]
1640 binder := computePSKBinder(psk, resumptionPSKBinderLabel, pskCipherSuite, transcript, truncatedHello)
1641 if config.Bugs.SendShortPSKBinder {
1642 binder = binder[:binderLen]
1643 }
1644 if config.Bugs.SendInvalidPSKBinder {
1645 binder[0] ^= 1
1646 }
1647
1648 for i := range hello.pskBinders {
1649 hello.pskBinders[i] = binder
1650 }
1651
1652 hello.raw = nil
1653}