2014-06-20 20:00:00 +01:00
|
|
|
// Copyright 2009 The Go Authors. All rights reserved.
|
|
|
|
// Use of this source code is governed by a BSD-style
|
|
|
|
// license that can be found in the LICENSE file.
|
|
|
|
|
|
|
|
package main
|
|
|
|
|
|
|
|
import (
|
|
|
|
"bytes"
|
2014-07-18 20:03:41 +01:00
|
|
|
"crypto"
|
2014-06-20 20:00:00 +01:00
|
|
|
"crypto/ecdsa"
|
2014-08-24 06:44:23 +01:00
|
|
|
"crypto/elliptic"
|
2014-06-20 20:00:00 +01:00
|
|
|
"crypto/rsa"
|
|
|
|
"crypto/subtle"
|
|
|
|
"crypto/x509"
|
|
|
|
"encoding/asn1"
|
|
|
|
"errors"
|
|
|
|
"fmt"
|
|
|
|
"io"
|
2014-07-18 20:03:41 +01:00
|
|
|
"math/big"
|
2014-06-20 20:00:00 +01:00
|
|
|
"net"
|
|
|
|
"strconv"
|
|
|
|
)
|
|
|
|
|
|
|
|
type clientHandshakeState struct {
|
Add DTLS timeout and retransmit tests.
This extends the packet adaptor protocol to send three commands:
type command =
| Packet of []byte
| Timeout of time.Duration
| TimeoutAck
When the shim processes a Timeout in BIO_read, it sends TimeoutAck, fails the
BIO_read, returns out of the SSL stack, advances the clock, calls
DTLSv1_handle_timeout, and continues.
If the Go side sends Timeout right between sending handshake flight N and
reading flight N+1, the shim won't read the Timeout until it has sent flight
N+1 (it only processes packet commands in BIO_read), so the TimeoutAck comes
after N+1. Go then drops all packets before the TimeoutAck, thus dropping one
transmit of flight N+1 without having to actually process the packets to
determine the end of the flight. The shim then sees the updated clock, calls
DTLSv1_handle_timeout, and re-sends flight N+1 for Go to process for real.
When dropping packets, Go checks the epoch and increments sequence numbers so
that we can continue to be strict here. This requires tracking the initial
sequence number of the next epoch.
The final Finished message takes an additional special-case to test. DTLS
triggers retransmits on either a timeout or seeing a stale flight. OpenSSL only
implements the former which should be sufficient (and is necessary) EXCEPT for
the final Finished message. If the peer's final Finished message is lost, it
won't be waiting for a message from us, so it won't time out anything. That
retransmit must be triggered on stale message, so we retransmit the Finished
message in Go.
Change-Id: I3ffbdb1de525beb2ee831b304670a3387877634c
Reviewed-on: https://boringssl-review.googlesource.com/3212
Reviewed-by: Adam Langley <agl@google.com>
2015-01-27 06:09:43 +00:00
|
|
|
c *Conn
|
|
|
|
serverHello *serverHelloMsg
|
|
|
|
hello *clientHelloMsg
|
|
|
|
suite *cipherSuite
|
|
|
|
finishedHash finishedHash
|
|
|
|
masterSecret []byte
|
|
|
|
session *ClientSessionState
|
|
|
|
finishedBytes []byte
|
2014-06-20 20:00:00 +01:00
|
|
|
}
|
|
|
|
|
|
|
|
func (c *Conn) clientHandshake() error {
|
|
|
|
if c.config == nil {
|
|
|
|
c.config = defaultConfig()
|
|
|
|
}
|
|
|
|
|
|
|
|
if len(c.config.ServerName) == 0 && !c.config.InsecureSkipVerify {
|
|
|
|
return errors.New("tls: either ServerName or InsecureSkipVerify must be specified in the tls.Config")
|
|
|
|
}
|
|
|
|
|
2014-08-04 06:23:53 +01:00
|
|
|
c.sendHandshakeSeq = 0
|
|
|
|
c.recvHandshakeSeq = 0
|
|
|
|
|
2014-09-15 21:51:51 +01:00
|
|
|
nextProtosLength := 0
|
|
|
|
for _, proto := range c.config.NextProtos {
|
|
|
|
if l := len(proto); l == 0 || l > 255 {
|
|
|
|
return errors.New("tls: invalid NextProtos value")
|
|
|
|
} else {
|
|
|
|
nextProtosLength += 1 + l
|
|
|
|
}
|
|
|
|
}
|
|
|
|
if nextProtosLength > 0xffff {
|
|
|
|
return errors.New("tls: NextProtos values too large")
|
|
|
|
}
|
|
|
|
|
2014-06-20 20:00:00 +01:00
|
|
|
hello := &clientHelloMsg{
|
2014-11-16 00:06:08 +00:00
|
|
|
isDTLS: c.isDTLS,
|
|
|
|
vers: c.config.maxVersion(),
|
|
|
|
compressionMethods: []uint8{compressionNone},
|
|
|
|
random: make([]byte, 32),
|
|
|
|
ocspStapling: true,
|
|
|
|
serverName: c.config.ServerName,
|
|
|
|
supportedCurves: c.config.curvePreferences(),
|
|
|
|
supportedPoints: []uint8{pointFormatUncompressed},
|
|
|
|
nextProtoNeg: len(c.config.NextProtos) > 0,
|
|
|
|
secureRenegotiation: []byte{},
|
|
|
|
alpnProtocols: c.config.NextProtos,
|
|
|
|
duplicateExtension: c.config.Bugs.DuplicateExtension,
|
|
|
|
channelIDSupported: c.config.ChannelID != nil,
|
|
|
|
npnLast: c.config.Bugs.SwapNPNAndALPN,
|
|
|
|
extendedMasterSecret: c.config.maxVersion() >= VersionTLS10,
|
|
|
|
srtpProtectionProfiles: c.config.SRTPProtectionProfiles,
|
|
|
|
srtpMasterKeyIdentifier: c.config.Bugs.SRTPMasterKeyIdentifer,
|
2014-06-20 20:00:00 +01:00
|
|
|
}
|
|
|
|
|
2014-08-08 18:24:34 +01:00
|
|
|
if c.config.Bugs.SendClientVersion != 0 {
|
|
|
|
hello.vers = c.config.Bugs.SendClientVersion
|
|
|
|
}
|
|
|
|
|
2014-10-11 00:23:43 +01:00
|
|
|
if c.config.Bugs.NoExtendedMasterSecret {
|
|
|
|
hello.extendedMasterSecret = false
|
|
|
|
}
|
|
|
|
|
2014-10-29 00:29:33 +00:00
|
|
|
if len(c.clientVerify) > 0 && !c.config.Bugs.EmptyRenegotiationInfo {
|
|
|
|
if c.config.Bugs.BadRenegotiationInfo {
|
|
|
|
hello.secureRenegotiation = append(hello.secureRenegotiation, c.clientVerify...)
|
|
|
|
hello.secureRenegotiation[0] ^= 0x80
|
|
|
|
} else {
|
|
|
|
hello.secureRenegotiation = c.clientVerify
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2014-11-08 17:31:52 +00:00
|
|
|
if c.config.Bugs.NoRenegotiationInfo {
|
|
|
|
hello.secureRenegotiation = nil
|
|
|
|
}
|
|
|
|
|
2014-06-20 20:00:00 +01:00
|
|
|
possibleCipherSuites := c.config.cipherSuites()
|
|
|
|
hello.cipherSuites = make([]uint16, 0, len(possibleCipherSuites))
|
|
|
|
|
|
|
|
NextCipherSuite:
|
|
|
|
for _, suiteId := range possibleCipherSuites {
|
|
|
|
for _, suite := range cipherSuites {
|
|
|
|
if suite.id != suiteId {
|
|
|
|
continue
|
|
|
|
}
|
|
|
|
// Don't advertise TLS 1.2-only cipher suites unless
|
|
|
|
// we're attempting TLS 1.2.
|
|
|
|
if hello.vers < VersionTLS12 && suite.flags&suiteTLS12 != 0 {
|
|
|
|
continue
|
|
|
|
}
|
2014-08-04 06:23:53 +01:00
|
|
|
// Don't advertise non-DTLS cipher suites on DTLS.
|
|
|
|
if c.isDTLS && suite.flags&suiteNoDTLS != 0 {
|
|
|
|
continue
|
|
|
|
}
|
2014-06-20 20:00:00 +01:00
|
|
|
hello.cipherSuites = append(hello.cipherSuites, suiteId)
|
|
|
|
continue NextCipherSuite
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2014-08-02 09:22:02 +01:00
|
|
|
if c.config.Bugs.SendFallbackSCSV {
|
|
|
|
hello.cipherSuites = append(hello.cipherSuites, fallbackSCSV)
|
|
|
|
}
|
|
|
|
|
2014-06-20 20:00:00 +01:00
|
|
|
_, err := io.ReadFull(c.config.rand(), hello.random)
|
|
|
|
if err != nil {
|
|
|
|
c.sendAlert(alertInternalError)
|
|
|
|
return errors.New("tls: short read from Rand: " + err.Error())
|
|
|
|
}
|
|
|
|
|
2014-11-14 06:43:59 +00:00
|
|
|
if hello.vers >= VersionTLS12 && !c.config.Bugs.NoSignatureAndHashes {
|
|
|
|
hello.signatureAndHashes = c.config.signatureAndHashesForClient()
|
2014-06-20 20:00:00 +01:00
|
|
|
}
|
|
|
|
|
|
|
|
var session *ClientSessionState
|
|
|
|
var cacheKey string
|
|
|
|
sessionCache := c.config.ClientSessionCache
|
|
|
|
|
|
|
|
if sessionCache != nil {
|
2014-11-17 08:19:02 +00:00
|
|
|
hello.ticketSupported = !c.config.SessionTicketsDisabled
|
2014-06-20 20:00:00 +01:00
|
|
|
|
|
|
|
// Try to resume a previously negotiated TLS session, if
|
|
|
|
// available.
|
|
|
|
cacheKey = clientSessionCacheKey(c.conn.RemoteAddr(), c.config)
|
|
|
|
candidateSession, ok := sessionCache.Get(cacheKey)
|
|
|
|
if ok {
|
2014-11-17 08:19:02 +00:00
|
|
|
ticketOk := !c.config.SessionTicketsDisabled || candidateSession.sessionTicket == nil
|
|
|
|
|
2014-06-20 20:00:00 +01:00
|
|
|
// Check that the ciphersuite/version used for the
|
|
|
|
// previous session are still valid.
|
|
|
|
cipherSuiteOk := false
|
|
|
|
for _, id := range hello.cipherSuites {
|
|
|
|
if id == candidateSession.cipherSuite {
|
|
|
|
cipherSuiteOk = true
|
|
|
|
break
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
versOk := candidateSession.vers >= c.config.minVersion() &&
|
|
|
|
candidateSession.vers <= c.config.maxVersion()
|
2014-11-17 08:19:02 +00:00
|
|
|
if ticketOk && versOk && cipherSuiteOk {
|
2014-06-20 20:00:00 +01:00
|
|
|
session = candidateSession
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
if session != nil {
|
2014-11-17 08:19:02 +00:00
|
|
|
if session.sessionTicket != nil {
|
|
|
|
hello.sessionTicket = session.sessionTicket
|
|
|
|
if c.config.Bugs.CorruptTicket {
|
|
|
|
hello.sessionTicket = make([]byte, len(session.sessionTicket))
|
|
|
|
copy(hello.sessionTicket, session.sessionTicket)
|
|
|
|
if len(hello.sessionTicket) > 0 {
|
|
|
|
offset := 40
|
|
|
|
if offset > len(hello.sessionTicket) {
|
|
|
|
offset = len(hello.sessionTicket) - 1
|
|
|
|
}
|
|
|
|
hello.sessionTicket[offset] ^= 0x40
|
2014-10-17 03:04:35 +01:00
|
|
|
}
|
|
|
|
}
|
2014-11-17 08:19:02 +00:00
|
|
|
// A random session ID is used to detect when the
|
|
|
|
// server accepted the ticket and is resuming a session
|
|
|
|
// (see RFC 5077).
|
|
|
|
sessionIdLen := 16
|
|
|
|
if c.config.Bugs.OversizedSessionId {
|
|
|
|
sessionIdLen = 33
|
|
|
|
}
|
|
|
|
hello.sessionId = make([]byte, sessionIdLen)
|
|
|
|
if _, err := io.ReadFull(c.config.rand(), hello.sessionId); err != nil {
|
|
|
|
c.sendAlert(alertInternalError)
|
|
|
|
return errors.New("tls: short read from Rand: " + err.Error())
|
|
|
|
}
|
|
|
|
} else {
|
|
|
|
hello.sessionId = session.sessionId
|
2014-06-20 20:00:00 +01:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2014-08-02 09:07:12 +01:00
|
|
|
var helloBytes []byte
|
|
|
|
if c.config.Bugs.SendV2ClientHello {
|
2014-11-30 18:54:41 +00:00
|
|
|
// Test that the peer left-pads random.
|
|
|
|
hello.random[0] = 0
|
2014-08-02 09:07:12 +01:00
|
|
|
v2Hello := &v2ClientHelloMsg{
|
|
|
|
vers: hello.vers,
|
|
|
|
cipherSuites: hello.cipherSuites,
|
|
|
|
// No session resumption for V2ClientHello.
|
|
|
|
sessionId: nil,
|
2014-11-30 18:54:41 +00:00
|
|
|
challenge: hello.random[1:],
|
2014-08-02 09:07:12 +01:00
|
|
|
}
|
|
|
|
helloBytes = v2Hello.marshal()
|
|
|
|
c.writeV2Record(helloBytes)
|
|
|
|
} else {
|
|
|
|
helloBytes = hello.marshal()
|
|
|
|
c.writeRecord(recordTypeHandshake, helloBytes)
|
|
|
|
}
|
2015-02-09 05:18:20 +00:00
|
|
|
c.dtlsFlushHandshake(true)
|
2014-06-20 20:00:00 +01:00
|
|
|
|
Add DTLS timeout and retransmit tests.
This extends the packet adaptor protocol to send three commands:
type command =
| Packet of []byte
| Timeout of time.Duration
| TimeoutAck
When the shim processes a Timeout in BIO_read, it sends TimeoutAck, fails the
BIO_read, returns out of the SSL stack, advances the clock, calls
DTLSv1_handle_timeout, and continues.
If the Go side sends Timeout right between sending handshake flight N and
reading flight N+1, the shim won't read the Timeout until it has sent flight
N+1 (it only processes packet commands in BIO_read), so the TimeoutAck comes
after N+1. Go then drops all packets before the TimeoutAck, thus dropping one
transmit of flight N+1 without having to actually process the packets to
determine the end of the flight. The shim then sees the updated clock, calls
DTLSv1_handle_timeout, and re-sends flight N+1 for Go to process for real.
When dropping packets, Go checks the epoch and increments sequence numbers so
that we can continue to be strict here. This requires tracking the initial
sequence number of the next epoch.
The final Finished message takes an additional special-case to test. DTLS
triggers retransmits on either a timeout or seeing a stale flight. OpenSSL only
implements the former which should be sufficient (and is necessary) EXCEPT for
the final Finished message. If the peer's final Finished message is lost, it
won't be waiting for a message from us, so it won't time out anything. That
retransmit must be triggered on stale message, so we retransmit the Finished
message in Go.
Change-Id: I3ffbdb1de525beb2ee831b304670a3387877634c
Reviewed-on: https://boringssl-review.googlesource.com/3212
Reviewed-by: Adam Langley <agl@google.com>
2015-01-27 06:09:43 +00:00
|
|
|
if err := c.simulatePacketLoss(nil); err != nil {
|
|
|
|
return err
|
|
|
|
}
|
2014-06-20 20:00:00 +01:00
|
|
|
msg, err := c.readHandshake()
|
|
|
|
if err != nil {
|
|
|
|
return err
|
|
|
|
}
|
2014-08-04 06:23:53 +01:00
|
|
|
|
|
|
|
if c.isDTLS {
|
|
|
|
helloVerifyRequest, ok := msg.(*helloVerifyRequestMsg)
|
|
|
|
if ok {
|
2014-08-16 17:07:27 +01:00
|
|
|
if helloVerifyRequest.vers != VersionTLS10 {
|
|
|
|
// Per RFC 6347, the version field in
|
|
|
|
// HelloVerifyRequest SHOULD be always DTLS
|
|
|
|
// 1.0. Enforce this for testing purposes.
|
|
|
|
return errors.New("dtls: bad HelloVerifyRequest version")
|
|
|
|
}
|
|
|
|
|
2014-08-04 06:23:53 +01:00
|
|
|
hello.raw = nil
|
|
|
|
hello.cookie = helloVerifyRequest.cookie
|
|
|
|
helloBytes = hello.marshal()
|
|
|
|
c.writeRecord(recordTypeHandshake, helloBytes)
|
2015-02-09 05:18:20 +00:00
|
|
|
c.dtlsFlushHandshake(true)
|
2014-08-04 06:23:53 +01:00
|
|
|
|
Add DTLS timeout and retransmit tests.
This extends the packet adaptor protocol to send three commands:
type command =
| Packet of []byte
| Timeout of time.Duration
| TimeoutAck
When the shim processes a Timeout in BIO_read, it sends TimeoutAck, fails the
BIO_read, returns out of the SSL stack, advances the clock, calls
DTLSv1_handle_timeout, and continues.
If the Go side sends Timeout right between sending handshake flight N and
reading flight N+1, the shim won't read the Timeout until it has sent flight
N+1 (it only processes packet commands in BIO_read), so the TimeoutAck comes
after N+1. Go then drops all packets before the TimeoutAck, thus dropping one
transmit of flight N+1 without having to actually process the packets to
determine the end of the flight. The shim then sees the updated clock, calls
DTLSv1_handle_timeout, and re-sends flight N+1 for Go to process for real.
When dropping packets, Go checks the epoch and increments sequence numbers so
that we can continue to be strict here. This requires tracking the initial
sequence number of the next epoch.
The final Finished message takes an additional special-case to test. DTLS
triggers retransmits on either a timeout or seeing a stale flight. OpenSSL only
implements the former which should be sufficient (and is necessary) EXCEPT for
the final Finished message. If the peer's final Finished message is lost, it
won't be waiting for a message from us, so it won't time out anything. That
retransmit must be triggered on stale message, so we retransmit the Finished
message in Go.
Change-Id: I3ffbdb1de525beb2ee831b304670a3387877634c
Reviewed-on: https://boringssl-review.googlesource.com/3212
Reviewed-by: Adam Langley <agl@google.com>
2015-01-27 06:09:43 +00:00
|
|
|
if err := c.simulatePacketLoss(nil); err != nil {
|
|
|
|
return err
|
|
|
|
}
|
2014-08-04 06:23:53 +01:00
|
|
|
msg, err = c.readHandshake()
|
|
|
|
if err != nil {
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2014-06-20 20:00:00 +01:00
|
|
|
serverHello, ok := msg.(*serverHelloMsg)
|
|
|
|
if !ok {
|
|
|
|
c.sendAlert(alertUnexpectedMessage)
|
|
|
|
return unexpectedMessageError(serverHello, msg)
|
|
|
|
}
|
|
|
|
|
2014-08-14 21:25:34 +01:00
|
|
|
c.vers, ok = c.config.mutualVersion(serverHello.vers)
|
|
|
|
if !ok {
|
2014-06-20 20:00:00 +01:00
|
|
|
c.sendAlert(alertProtocolVersion)
|
|
|
|
return fmt.Errorf("tls: server selected unsupported protocol version %x", serverHello.vers)
|
|
|
|
}
|
|
|
|
c.haveVers = true
|
|
|
|
|
|
|
|
suite := mutualCipherSuite(c.config.cipherSuites(), serverHello.cipherSuite)
|
|
|
|
if suite == nil {
|
|
|
|
c.sendAlert(alertHandshakeFailure)
|
|
|
|
return fmt.Errorf("tls: server selected an unsupported cipher suite")
|
|
|
|
}
|
|
|
|
|
2014-11-08 17:31:52 +00:00
|
|
|
if len(c.clientVerify) > 0 && !c.config.Bugs.NoRenegotiationInfo {
|
2014-10-29 00:29:33 +00:00
|
|
|
var expectedRenegInfo []byte
|
|
|
|
expectedRenegInfo = append(expectedRenegInfo, c.clientVerify...)
|
|
|
|
expectedRenegInfo = append(expectedRenegInfo, c.serverVerify...)
|
|
|
|
if !bytes.Equal(serverHello.secureRenegotiation, expectedRenegInfo) {
|
|
|
|
c.sendAlert(alertHandshakeFailure)
|
|
|
|
return fmt.Errorf("tls: renegotiation mismatch")
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2014-06-20 20:00:00 +01:00
|
|
|
hs := &clientHandshakeState{
|
|
|
|
c: c,
|
|
|
|
serverHello: serverHello,
|
|
|
|
hello: hello,
|
|
|
|
suite: suite,
|
|
|
|
finishedHash: newFinishedHash(c.vers, suite),
|
|
|
|
session: session,
|
|
|
|
}
|
|
|
|
|
2014-08-04 06:23:53 +01:00
|
|
|
hs.writeHash(helloBytes, hs.c.sendHandshakeSeq-1)
|
|
|
|
hs.writeServerHash(hs.serverHello.marshal())
|
2014-06-20 20:00:00 +01:00
|
|
|
|
2014-07-22 03:42:34 +01:00
|
|
|
if c.config.Bugs.EarlyChangeCipherSpec > 0 {
|
|
|
|
hs.establishKeys()
|
|
|
|
c.writeRecord(recordTypeChangeCipherSpec, []byte{1})
|
|
|
|
}
|
|
|
|
|
2014-06-20 20:00:00 +01:00
|
|
|
isResume, err := hs.processServerHello()
|
|
|
|
if err != nil {
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
|
|
|
|
if isResume {
|
2014-07-22 03:42:34 +01:00
|
|
|
if c.config.Bugs.EarlyChangeCipherSpec == 0 {
|
|
|
|
if err := hs.establishKeys(); err != nil {
|
|
|
|
return err
|
|
|
|
}
|
2014-06-20 20:00:00 +01:00
|
|
|
}
|
|
|
|
if err := hs.readSessionTicket(); err != nil {
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
if err := hs.readFinished(); err != nil {
|
|
|
|
return err
|
|
|
|
}
|
2014-08-24 06:44:23 +01:00
|
|
|
if err := hs.sendFinished(isResume); err != nil {
|
2014-06-20 20:00:00 +01:00
|
|
|
return err
|
|
|
|
}
|
|
|
|
} else {
|
|
|
|
if err := hs.doFullHandshake(); err != nil {
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
if err := hs.establishKeys(); err != nil {
|
|
|
|
return err
|
|
|
|
}
|
2014-08-24 06:44:23 +01:00
|
|
|
if err := hs.sendFinished(isResume); err != nil {
|
2014-06-20 20:00:00 +01:00
|
|
|
return err
|
|
|
|
}
|
Add DTLS timeout and retransmit tests.
This extends the packet adaptor protocol to send three commands:
type command =
| Packet of []byte
| Timeout of time.Duration
| TimeoutAck
When the shim processes a Timeout in BIO_read, it sends TimeoutAck, fails the
BIO_read, returns out of the SSL stack, advances the clock, calls
DTLSv1_handle_timeout, and continues.
If the Go side sends Timeout right between sending handshake flight N and
reading flight N+1, the shim won't read the Timeout until it has sent flight
N+1 (it only processes packet commands in BIO_read), so the TimeoutAck comes
after N+1. Go then drops all packets before the TimeoutAck, thus dropping one
transmit of flight N+1 without having to actually process the packets to
determine the end of the flight. The shim then sees the updated clock, calls
DTLSv1_handle_timeout, and re-sends flight N+1 for Go to process for real.
When dropping packets, Go checks the epoch and increments sequence numbers so
that we can continue to be strict here. This requires tracking the initial
sequence number of the next epoch.
The final Finished message takes an additional special-case to test. DTLS
triggers retransmits on either a timeout or seeing a stale flight. OpenSSL only
implements the former which should be sufficient (and is necessary) EXCEPT for
the final Finished message. If the peer's final Finished message is lost, it
won't be waiting for a message from us, so it won't time out anything. That
retransmit must be triggered on stale message, so we retransmit the Finished
message in Go.
Change-Id: I3ffbdb1de525beb2ee831b304670a3387877634c
Reviewed-on: https://boringssl-review.googlesource.com/3212
Reviewed-by: Adam Langley <agl@google.com>
2015-01-27 06:09:43 +00:00
|
|
|
// Most retransmits are triggered by a timeout, but the final
|
|
|
|
// leg of the handshake is retransmited upon re-receiving a
|
|
|
|
// Finished.
|
2015-01-31 22:16:01 +00:00
|
|
|
if err := c.simulatePacketLoss(func() {
|
|
|
|
c.writeRecord(recordTypeHandshake, hs.finishedBytes)
|
|
|
|
c.dtlsFlushHandshake(false)
|
|
|
|
}); err != nil {
|
Add DTLS timeout and retransmit tests.
This extends the packet adaptor protocol to send three commands:
type command =
| Packet of []byte
| Timeout of time.Duration
| TimeoutAck
When the shim processes a Timeout in BIO_read, it sends TimeoutAck, fails the
BIO_read, returns out of the SSL stack, advances the clock, calls
DTLSv1_handle_timeout, and continues.
If the Go side sends Timeout right between sending handshake flight N and
reading flight N+1, the shim won't read the Timeout until it has sent flight
N+1 (it only processes packet commands in BIO_read), so the TimeoutAck comes
after N+1. Go then drops all packets before the TimeoutAck, thus dropping one
transmit of flight N+1 without having to actually process the packets to
determine the end of the flight. The shim then sees the updated clock, calls
DTLSv1_handle_timeout, and re-sends flight N+1 for Go to process for real.
When dropping packets, Go checks the epoch and increments sequence numbers so
that we can continue to be strict here. This requires tracking the initial
sequence number of the next epoch.
The final Finished message takes an additional special-case to test. DTLS
triggers retransmits on either a timeout or seeing a stale flight. OpenSSL only
implements the former which should be sufficient (and is necessary) EXCEPT for
the final Finished message. If the peer's final Finished message is lost, it
won't be waiting for a message from us, so it won't time out anything. That
retransmit must be triggered on stale message, so we retransmit the Finished
message in Go.
Change-Id: I3ffbdb1de525beb2ee831b304670a3387877634c
Reviewed-on: https://boringssl-review.googlesource.com/3212
Reviewed-by: Adam Langley <agl@google.com>
2015-01-27 06:09:43 +00:00
|
|
|
return err
|
|
|
|
}
|
2014-06-20 20:00:00 +01:00
|
|
|
if err := hs.readSessionTicket(); err != nil {
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
if err := hs.readFinished(); err != nil {
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
if sessionCache != nil && hs.session != nil && session != hs.session {
|
|
|
|
sessionCache.Put(cacheKey, hs.session)
|
|
|
|
}
|
|
|
|
|
|
|
|
c.didResume = isResume
|
|
|
|
c.handshakeComplete = true
|
|
|
|
c.cipherSuite = suite.id
|
|
|
|
return nil
|
|
|
|
}
|
|
|
|
|
|
|
|
func (hs *clientHandshakeState) doFullHandshake() error {
|
|
|
|
c := hs.c
|
|
|
|
|
2014-10-27 05:06:24 +00:00
|
|
|
var leaf *x509.Certificate
|
|
|
|
if hs.suite.flags&suitePSK == 0 {
|
|
|
|
msg, err := c.readHandshake()
|
2014-06-20 20:00:00 +01:00
|
|
|
if err != nil {
|
2014-10-27 05:06:24 +00:00
|
|
|
return err
|
2014-06-20 20:00:00 +01:00
|
|
|
}
|
|
|
|
|
2014-10-27 05:06:24 +00:00
|
|
|
certMsg, ok := msg.(*certificateMsg)
|
|
|
|
if !ok || len(certMsg.certificates) == 0 {
|
|
|
|
c.sendAlert(alertUnexpectedMessage)
|
|
|
|
return unexpectedMessageError(certMsg, msg)
|
2014-06-20 20:00:00 +01:00
|
|
|
}
|
2014-10-27 05:06:24 +00:00
|
|
|
hs.writeServerHash(certMsg.marshal())
|
2014-06-20 20:00:00 +01:00
|
|
|
|
2014-10-27 05:06:24 +00:00
|
|
|
certs := make([]*x509.Certificate, len(certMsg.certificates))
|
|
|
|
for i, asn1Data := range certMsg.certificates {
|
|
|
|
cert, err := x509.ParseCertificate(asn1Data)
|
|
|
|
if err != nil {
|
|
|
|
c.sendAlert(alertBadCertificate)
|
|
|
|
return errors.New("tls: failed to parse certificate from server: " + err.Error())
|
2014-06-20 20:00:00 +01:00
|
|
|
}
|
2014-10-27 05:06:24 +00:00
|
|
|
certs[i] = cert
|
2014-06-20 20:00:00 +01:00
|
|
|
}
|
2014-10-27 05:06:24 +00:00
|
|
|
leaf = certs[0]
|
|
|
|
|
|
|
|
if !c.config.InsecureSkipVerify {
|
|
|
|
opts := x509.VerifyOptions{
|
|
|
|
Roots: c.config.RootCAs,
|
|
|
|
CurrentTime: c.config.time(),
|
|
|
|
DNSName: c.config.ServerName,
|
|
|
|
Intermediates: x509.NewCertPool(),
|
|
|
|
}
|
|
|
|
|
|
|
|
for i, cert := range certs {
|
|
|
|
if i == 0 {
|
|
|
|
continue
|
|
|
|
}
|
|
|
|
opts.Intermediates.AddCert(cert)
|
|
|
|
}
|
|
|
|
c.verifiedChains, err = leaf.Verify(opts)
|
|
|
|
if err != nil {
|
|
|
|
c.sendAlert(alertBadCertificate)
|
|
|
|
return err
|
|
|
|
}
|
2014-06-20 20:00:00 +01:00
|
|
|
}
|
|
|
|
|
2014-10-27 05:06:24 +00:00
|
|
|
switch leaf.PublicKey.(type) {
|
|
|
|
case *rsa.PublicKey, *ecdsa.PublicKey:
|
|
|
|
break
|
|
|
|
default:
|
|
|
|
c.sendAlert(alertUnsupportedCertificate)
|
|
|
|
return fmt.Errorf("tls: server's certificate contains an unsupported type of public key: %T", leaf.PublicKey)
|
|
|
|
}
|
2014-06-20 20:00:00 +01:00
|
|
|
|
2014-10-27 05:06:24 +00:00
|
|
|
c.peerCertificates = certs
|
|
|
|
}
|
2014-06-20 20:00:00 +01:00
|
|
|
|
|
|
|
if hs.serverHello.ocspStapling {
|
2014-10-27 05:06:24 +00:00
|
|
|
msg, err := c.readHandshake()
|
2014-06-20 20:00:00 +01:00
|
|
|
if err != nil {
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
cs, ok := msg.(*certificateStatusMsg)
|
|
|
|
if !ok {
|
|
|
|
c.sendAlert(alertUnexpectedMessage)
|
|
|
|
return unexpectedMessageError(cs, msg)
|
|
|
|
}
|
2014-08-04 06:23:53 +01:00
|
|
|
hs.writeServerHash(cs.marshal())
|
2014-06-20 20:00:00 +01:00
|
|
|
|
|
|
|
if cs.statusType == statusTypeOCSP {
|
|
|
|
c.ocspResponse = cs.response
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2014-10-27 05:06:24 +00:00
|
|
|
msg, err := c.readHandshake()
|
2014-06-20 20:00:00 +01:00
|
|
|
if err != nil {
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
|
|
|
|
keyAgreement := hs.suite.ka(c.vers)
|
|
|
|
|
|
|
|
skx, ok := msg.(*serverKeyExchangeMsg)
|
|
|
|
if ok {
|
2014-08-04 06:23:53 +01:00
|
|
|
hs.writeServerHash(skx.marshal())
|
2014-10-27 05:06:24 +00:00
|
|
|
err = keyAgreement.processServerKeyExchange(c.config, hs.hello, hs.serverHello, leaf, skx)
|
2014-06-20 20:00:00 +01:00
|
|
|
if err != nil {
|
|
|
|
c.sendAlert(alertUnexpectedMessage)
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
|
|
|
|
msg, err = c.readHandshake()
|
|
|
|
if err != nil {
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
var chainToSend *Certificate
|
|
|
|
var certRequested bool
|
|
|
|
certReq, ok := msg.(*certificateRequestMsg)
|
|
|
|
if ok {
|
|
|
|
certRequested = true
|
|
|
|
|
|
|
|
// RFC 4346 on the certificateAuthorities field:
|
|
|
|
// A list of the distinguished names of acceptable certificate
|
|
|
|
// authorities. These distinguished names may specify a desired
|
|
|
|
// distinguished name for a root CA or for a subordinate CA;
|
|
|
|
// thus, this message can be used to describe both known roots
|
|
|
|
// and a desired authorization space. If the
|
|
|
|
// certificate_authorities list is empty then the client MAY
|
|
|
|
// send any certificate of the appropriate
|
|
|
|
// ClientCertificateType, unless there is some external
|
|
|
|
// arrangement to the contrary.
|
|
|
|
|
2014-08-04 06:23:53 +01:00
|
|
|
hs.writeServerHash(certReq.marshal())
|
2014-06-20 20:00:00 +01:00
|
|
|
|
|
|
|
var rsaAvail, ecdsaAvail bool
|
|
|
|
for _, certType := range certReq.certificateTypes {
|
|
|
|
switch certType {
|
2014-07-08 22:30:11 +01:00
|
|
|
case CertTypeRSASign:
|
2014-06-20 20:00:00 +01:00
|
|
|
rsaAvail = true
|
2014-07-08 22:30:11 +01:00
|
|
|
case CertTypeECDSASign:
|
2014-06-20 20:00:00 +01:00
|
|
|
ecdsaAvail = true
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// We need to search our list of client certs for one
|
|
|
|
// where SignatureAlgorithm is RSA and the Issuer is in
|
|
|
|
// certReq.certificateAuthorities
|
|
|
|
findCert:
|
|
|
|
for i, chain := range c.config.Certificates {
|
|
|
|
if !rsaAvail && !ecdsaAvail {
|
|
|
|
continue
|
|
|
|
}
|
|
|
|
|
|
|
|
for j, cert := range chain.Certificate {
|
|
|
|
x509Cert := chain.Leaf
|
|
|
|
// parse the certificate if this isn't the leaf
|
|
|
|
// node, or if chain.Leaf was nil
|
|
|
|
if j != 0 || x509Cert == nil {
|
|
|
|
if x509Cert, err = x509.ParseCertificate(cert); err != nil {
|
|
|
|
c.sendAlert(alertInternalError)
|
|
|
|
return errors.New("tls: failed to parse client certificate #" + strconv.Itoa(i) + ": " + err.Error())
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
switch {
|
|
|
|
case rsaAvail && x509Cert.PublicKeyAlgorithm == x509.RSA:
|
|
|
|
case ecdsaAvail && x509Cert.PublicKeyAlgorithm == x509.ECDSA:
|
|
|
|
default:
|
|
|
|
continue findCert
|
|
|
|
}
|
|
|
|
|
|
|
|
if len(certReq.certificateAuthorities) == 0 {
|
|
|
|
// they gave us an empty list, so just take the
|
|
|
|
// first RSA cert from c.config.Certificates
|
|
|
|
chainToSend = &chain
|
|
|
|
break findCert
|
|
|
|
}
|
|
|
|
|
|
|
|
for _, ca := range certReq.certificateAuthorities {
|
|
|
|
if bytes.Equal(x509Cert.RawIssuer, ca) {
|
|
|
|
chainToSend = &chain
|
|
|
|
break findCert
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
msg, err = c.readHandshake()
|
|
|
|
if err != nil {
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
shd, ok := msg.(*serverHelloDoneMsg)
|
|
|
|
if !ok {
|
|
|
|
c.sendAlert(alertUnexpectedMessage)
|
|
|
|
return unexpectedMessageError(shd, msg)
|
|
|
|
}
|
2014-08-04 06:23:53 +01:00
|
|
|
hs.writeServerHash(shd.marshal())
|
2014-06-20 20:00:00 +01:00
|
|
|
|
|
|
|
// If the server requested a certificate then we have to send a
|
|
|
|
// Certificate message, even if it's empty because we don't have a
|
|
|
|
// certificate to send.
|
|
|
|
if certRequested {
|
2014-10-27 05:06:24 +00:00
|
|
|
certMsg := new(certificateMsg)
|
2014-06-20 20:00:00 +01:00
|
|
|
if chainToSend != nil {
|
|
|
|
certMsg.certificates = chainToSend.Certificate
|
|
|
|
}
|
2014-08-04 06:23:53 +01:00
|
|
|
hs.writeClientHash(certMsg.marshal())
|
2014-06-20 20:00:00 +01:00
|
|
|
c.writeRecord(recordTypeHandshake, certMsg.marshal())
|
|
|
|
}
|
|
|
|
|
2014-10-27 05:06:24 +00:00
|
|
|
preMasterSecret, ckx, err := keyAgreement.generateClientKeyExchange(c.config, hs.hello, leaf)
|
2014-06-20 20:00:00 +01:00
|
|
|
if err != nil {
|
|
|
|
c.sendAlert(alertInternalError)
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
if ckx != nil {
|
2014-07-22 03:42:34 +01:00
|
|
|
if c.config.Bugs.EarlyChangeCipherSpec < 2 {
|
2014-08-04 06:23:53 +01:00
|
|
|
hs.writeClientHash(ckx.marshal())
|
2014-07-22 03:42:34 +01:00
|
|
|
}
|
2014-06-20 20:00:00 +01:00
|
|
|
c.writeRecord(recordTypeHandshake, ckx.marshal())
|
|
|
|
}
|
|
|
|
|
2014-10-11 00:23:43 +01:00
|
|
|
if hs.serverHello.extendedMasterSecret && c.vers >= VersionTLS10 {
|
|
|
|
hs.masterSecret = extendedMasterFromPreMasterSecret(c.vers, hs.suite, preMasterSecret, hs.finishedHash)
|
|
|
|
c.extendedMasterSecret = true
|
|
|
|
} else {
|
|
|
|
if c.config.Bugs.RequireExtendedMasterSecret {
|
|
|
|
return errors.New("tls: extended master secret required but not supported by peer")
|
|
|
|
}
|
|
|
|
hs.masterSecret = masterFromPreMasterSecret(c.vers, hs.suite, preMasterSecret, hs.hello.random, hs.serverHello.random)
|
|
|
|
}
|
2014-08-28 04:13:20 +01:00
|
|
|
|
2014-06-20 20:00:00 +01:00
|
|
|
if chainToSend != nil {
|
|
|
|
var signed []byte
|
|
|
|
certVerify := &certificateVerifyMsg{
|
|
|
|
hasSignatureAndHash: c.vers >= VersionTLS12,
|
|
|
|
}
|
|
|
|
|
|
|
|
switch key := c.config.Certificates[0].PrivateKey.(type) {
|
|
|
|
case *ecdsa.PrivateKey:
|
2014-07-18 20:03:41 +01:00
|
|
|
certVerify.signatureAndHash, err = hs.finishedHash.selectClientCertSignatureAlgorithm(certReq.signatureAndHashes, signatureECDSA)
|
|
|
|
if err != nil {
|
|
|
|
break
|
|
|
|
}
|
|
|
|
var digest []byte
|
2014-08-28 04:13:20 +01:00
|
|
|
digest, _, err = hs.finishedHash.hashForClientCertificate(certVerify.signatureAndHash, hs.masterSecret)
|
2014-07-18 20:03:41 +01:00
|
|
|
if err != nil {
|
|
|
|
break
|
|
|
|
}
|
|
|
|
var r, s *big.Int
|
|
|
|
r, s, err = ecdsa.Sign(c.config.rand(), key, digest)
|
2014-06-20 20:00:00 +01:00
|
|
|
if err == nil {
|
|
|
|
signed, err = asn1.Marshal(ecdsaSignature{r, s})
|
|
|
|
}
|
|
|
|
case *rsa.PrivateKey:
|
2014-07-18 20:03:41 +01:00
|
|
|
certVerify.signatureAndHash, err = hs.finishedHash.selectClientCertSignatureAlgorithm(certReq.signatureAndHashes, signatureRSA)
|
|
|
|
if err != nil {
|
|
|
|
break
|
|
|
|
}
|
|
|
|
var digest []byte
|
|
|
|
var hashFunc crypto.Hash
|
2014-08-28 04:13:20 +01:00
|
|
|
digest, hashFunc, err = hs.finishedHash.hashForClientCertificate(certVerify.signatureAndHash, hs.masterSecret)
|
2014-07-18 20:03:41 +01:00
|
|
|
if err != nil {
|
|
|
|
break
|
|
|
|
}
|
2014-06-20 20:00:00 +01:00
|
|
|
signed, err = rsa.SignPKCS1v15(c.config.rand(), key, hashFunc, digest)
|
|
|
|
default:
|
|
|
|
err = errors.New("unknown private key type")
|
|
|
|
}
|
|
|
|
if err != nil {
|
|
|
|
c.sendAlert(alertInternalError)
|
|
|
|
return errors.New("tls: failed to sign handshake with client certificate: " + err.Error())
|
|
|
|
}
|
|
|
|
certVerify.signature = signed
|
|
|
|
|
2014-08-04 06:23:53 +01:00
|
|
|
hs.writeClientHash(certVerify.marshal())
|
2014-06-20 20:00:00 +01:00
|
|
|
c.writeRecord(recordTypeHandshake, certVerify.marshal())
|
|
|
|
}
|
2015-02-09 05:18:20 +00:00
|
|
|
c.dtlsFlushHandshake(true)
|
2014-06-20 20:00:00 +01:00
|
|
|
|
2014-08-28 04:13:20 +01:00
|
|
|
hs.finishedHash.discardHandshakeBuffer()
|
|
|
|
|
2014-06-20 20:00:00 +01:00
|
|
|
return nil
|
|
|
|
}
|
|
|
|
|
|
|
|
func (hs *clientHandshakeState) establishKeys() error {
|
|
|
|
c := hs.c
|
|
|
|
|
|
|
|
clientMAC, serverMAC, clientKey, serverKey, clientIV, serverIV :=
|
|
|
|
keysFromMasterSecret(c.vers, hs.suite, hs.masterSecret, hs.hello.random, hs.serverHello.random, hs.suite.macLen, hs.suite.keyLen, hs.suite.ivLen)
|
|
|
|
var clientCipher, serverCipher interface{}
|
|
|
|
var clientHash, serverHash macFunction
|
|
|
|
if hs.suite.cipher != nil {
|
|
|
|
clientCipher = hs.suite.cipher(clientKey, clientIV, false /* not for reading */)
|
|
|
|
clientHash = hs.suite.mac(c.vers, clientMAC)
|
|
|
|
serverCipher = hs.suite.cipher(serverKey, serverIV, true /* for reading */)
|
|
|
|
serverHash = hs.suite.mac(c.vers, serverMAC)
|
|
|
|
} else {
|
|
|
|
clientCipher = hs.suite.aead(clientKey, clientIV)
|
|
|
|
serverCipher = hs.suite.aead(serverKey, serverIV)
|
|
|
|
}
|
|
|
|
|
|
|
|
c.in.prepareCipherSpec(c.vers, serverCipher, serverHash)
|
|
|
|
c.out.prepareCipherSpec(c.vers, clientCipher, clientHash)
|
|
|
|
return nil
|
|
|
|
}
|
|
|
|
|
|
|
|
func (hs *clientHandshakeState) serverResumedSession() bool {
|
|
|
|
// If the server responded with the same sessionId then it means the
|
|
|
|
// sessionTicket is being used to resume a TLS session.
|
|
|
|
return hs.session != nil && hs.hello.sessionId != nil &&
|
|
|
|
bytes.Equal(hs.serverHello.sessionId, hs.hello.sessionId)
|
|
|
|
}
|
|
|
|
|
|
|
|
func (hs *clientHandshakeState) processServerHello() (bool, error) {
|
|
|
|
c := hs.c
|
|
|
|
|
|
|
|
if hs.serverHello.compressionMethod != compressionNone {
|
|
|
|
c.sendAlert(alertUnexpectedMessage)
|
|
|
|
return false, errors.New("tls: server selected unsupported compression format")
|
|
|
|
}
|
|
|
|
|
2014-09-15 21:51:51 +01:00
|
|
|
clientDidNPN := hs.hello.nextProtoNeg
|
|
|
|
clientDidALPN := len(hs.hello.alpnProtocols) > 0
|
|
|
|
serverHasNPN := hs.serverHello.nextProtoNeg
|
|
|
|
serverHasALPN := len(hs.serverHello.alpnProtocol) > 0
|
|
|
|
|
|
|
|
if !clientDidNPN && serverHasNPN {
|
2014-06-20 20:00:00 +01:00
|
|
|
c.sendAlert(alertHandshakeFailure)
|
|
|
|
return false, errors.New("server advertised unrequested NPN extension")
|
|
|
|
}
|
|
|
|
|
2014-09-15 21:51:51 +01:00
|
|
|
if !clientDidALPN && serverHasALPN {
|
|
|
|
c.sendAlert(alertHandshakeFailure)
|
|
|
|
return false, errors.New("server advertised unrequested ALPN extension")
|
|
|
|
}
|
|
|
|
|
|
|
|
if serverHasNPN && serverHasALPN {
|
|
|
|
c.sendAlert(alertHandshakeFailure)
|
|
|
|
return false, errors.New("server advertised both NPN and ALPN extensions")
|
|
|
|
}
|
|
|
|
|
|
|
|
if serverHasALPN {
|
|
|
|
c.clientProtocol = hs.serverHello.alpnProtocol
|
|
|
|
c.clientProtocolFallback = false
|
2014-09-06 18:21:53 +01:00
|
|
|
c.usedALPN = true
|
2014-09-15 21:51:51 +01:00
|
|
|
}
|
|
|
|
|
2014-08-24 06:44:23 +01:00
|
|
|
if !hs.hello.channelIDSupported && hs.serverHello.channelIDRequested {
|
|
|
|
c.sendAlert(alertHandshakeFailure)
|
|
|
|
return false, errors.New("server advertised unrequested Channel ID extension")
|
|
|
|
}
|
|
|
|
|
2014-11-16 00:06:08 +00:00
|
|
|
if hs.serverHello.srtpProtectionProfile != 0 {
|
|
|
|
if hs.serverHello.srtpMasterKeyIdentifier != "" {
|
|
|
|
return false, errors.New("tls: server selected SRTP MKI value")
|
|
|
|
}
|
|
|
|
|
|
|
|
found := false
|
|
|
|
for _, p := range c.config.SRTPProtectionProfiles {
|
|
|
|
if p == hs.serverHello.srtpProtectionProfile {
|
|
|
|
found = true
|
|
|
|
break
|
|
|
|
}
|
|
|
|
}
|
|
|
|
if !found {
|
|
|
|
return false, errors.New("tls: server advertised unsupported SRTP profile")
|
|
|
|
}
|
|
|
|
|
|
|
|
c.srtpProtectionProfile = hs.serverHello.srtpProtectionProfile
|
|
|
|
}
|
|
|
|
|
2014-06-20 20:00:00 +01:00
|
|
|
if hs.serverResumedSession() {
|
|
|
|
// Restore masterSecret and peerCerts from previous state
|
|
|
|
hs.masterSecret = hs.session.masterSecret
|
|
|
|
c.peerCertificates = hs.session.serverCertificates
|
2014-10-11 00:23:43 +01:00
|
|
|
c.extendedMasterSecret = hs.session.extendedMasterSecret
|
2014-08-28 04:13:20 +01:00
|
|
|
hs.finishedHash.discardHandshakeBuffer()
|
2014-06-20 20:00:00 +01:00
|
|
|
return true, nil
|
|
|
|
}
|
|
|
|
return false, nil
|
|
|
|
}
|
|
|
|
|
|
|
|
func (hs *clientHandshakeState) readFinished() error {
|
|
|
|
c := hs.c
|
|
|
|
|
|
|
|
c.readRecord(recordTypeChangeCipherSpec)
|
|
|
|
if err := c.in.error(); err != nil {
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
|
|
|
|
msg, err := c.readHandshake()
|
|
|
|
if err != nil {
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
serverFinished, ok := msg.(*finishedMsg)
|
|
|
|
if !ok {
|
|
|
|
c.sendAlert(alertUnexpectedMessage)
|
|
|
|
return unexpectedMessageError(serverFinished, msg)
|
|
|
|
}
|
|
|
|
|
2014-07-22 03:42:34 +01:00
|
|
|
if c.config.Bugs.EarlyChangeCipherSpec == 0 {
|
|
|
|
verify := hs.finishedHash.serverSum(hs.masterSecret)
|
|
|
|
if len(verify) != len(serverFinished.verifyData) ||
|
|
|
|
subtle.ConstantTimeCompare(verify, serverFinished.verifyData) != 1 {
|
|
|
|
c.sendAlert(alertHandshakeFailure)
|
|
|
|
return errors.New("tls: server's Finished message was incorrect")
|
|
|
|
}
|
2014-06-20 20:00:00 +01:00
|
|
|
}
|
2014-10-29 00:29:33 +00:00
|
|
|
c.serverVerify = append(c.serverVerify[:0], serverFinished.verifyData...)
|
2014-08-04 06:23:53 +01:00
|
|
|
hs.writeServerHash(serverFinished.marshal())
|
2014-06-20 20:00:00 +01:00
|
|
|
return nil
|
|
|
|
}
|
|
|
|
|
|
|
|
func (hs *clientHandshakeState) readSessionTicket() error {
|
2014-11-17 08:19:02 +00:00
|
|
|
c := hs.c
|
|
|
|
|
|
|
|
// Create a session with no server identifier. Either a
|
|
|
|
// session ID or session ticket will be attached.
|
|
|
|
session := &ClientSessionState{
|
|
|
|
vers: c.vers,
|
|
|
|
cipherSuite: hs.suite.id,
|
|
|
|
masterSecret: hs.masterSecret,
|
|
|
|
handshakeHash: hs.finishedHash.server.Sum(nil),
|
|
|
|
serverCertificates: c.peerCertificates,
|
|
|
|
}
|
|
|
|
|
2014-06-20 20:00:00 +01:00
|
|
|
if !hs.serverHello.ticketSupported {
|
2014-11-17 08:19:02 +00:00
|
|
|
if hs.session == nil && len(hs.serverHello.sessionId) > 0 {
|
|
|
|
session.sessionId = hs.serverHello.sessionId
|
|
|
|
hs.session = session
|
|
|
|
}
|
2014-06-20 20:00:00 +01:00
|
|
|
return nil
|
|
|
|
}
|
|
|
|
|
|
|
|
msg, err := c.readHandshake()
|
|
|
|
if err != nil {
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
sessionTicketMsg, ok := msg.(*newSessionTicketMsg)
|
|
|
|
if !ok {
|
|
|
|
c.sendAlert(alertUnexpectedMessage)
|
|
|
|
return unexpectedMessageError(sessionTicketMsg, msg)
|
|
|
|
}
|
|
|
|
|
2014-11-17 08:19:02 +00:00
|
|
|
session.sessionTicket = sessionTicketMsg.ticket
|
|
|
|
hs.session = session
|
2014-06-20 20:00:00 +01:00
|
|
|
|
2014-08-24 06:44:23 +01:00
|
|
|
hs.writeServerHash(sessionTicketMsg.marshal())
|
|
|
|
|
2014-06-20 20:00:00 +01:00
|
|
|
return nil
|
|
|
|
}
|
|
|
|
|
2014-08-24 06:44:23 +01:00
|
|
|
func (hs *clientHandshakeState) sendFinished(isResume bool) error {
|
2014-06-20 20:00:00 +01:00
|
|
|
c := hs.c
|
|
|
|
|
2014-07-21 21:14:03 +01:00
|
|
|
var postCCSBytes []byte
|
2014-08-04 06:23:53 +01:00
|
|
|
seqno := hs.c.sendHandshakeSeq
|
2014-06-20 20:00:00 +01:00
|
|
|
if hs.serverHello.nextProtoNeg {
|
|
|
|
nextProto := new(nextProtoMsg)
|
|
|
|
proto, fallback := mutualProtocol(c.config.NextProtos, hs.serverHello.nextProtos)
|
|
|
|
nextProto.proto = proto
|
|
|
|
c.clientProtocol = proto
|
|
|
|
c.clientProtocolFallback = fallback
|
|
|
|
|
2014-07-21 21:14:03 +01:00
|
|
|
nextProtoBytes := nextProto.marshal()
|
2014-08-04 06:23:53 +01:00
|
|
|
hs.writeHash(nextProtoBytes, seqno)
|
|
|
|
seqno++
|
2014-07-21 21:14:03 +01:00
|
|
|
postCCSBytes = append(postCCSBytes, nextProtoBytes...)
|
2014-06-20 20:00:00 +01:00
|
|
|
}
|
|
|
|
|
2014-08-24 06:44:23 +01:00
|
|
|
if hs.serverHello.channelIDRequested {
|
|
|
|
encryptedExtensions := new(encryptedExtensionsMsg)
|
|
|
|
if c.config.ChannelID.Curve != elliptic.P256() {
|
|
|
|
return fmt.Errorf("tls: Channel ID is not on P-256.")
|
|
|
|
}
|
|
|
|
var resumeHash []byte
|
|
|
|
if isResume {
|
|
|
|
resumeHash = hs.session.handshakeHash
|
|
|
|
}
|
|
|
|
r, s, err := ecdsa.Sign(c.config.rand(), c.config.ChannelID, hs.finishedHash.hashForChannelID(resumeHash))
|
|
|
|
if err != nil {
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
channelID := make([]byte, 128)
|
|
|
|
writeIntPadded(channelID[0:32], c.config.ChannelID.X)
|
|
|
|
writeIntPadded(channelID[32:64], c.config.ChannelID.Y)
|
|
|
|
writeIntPadded(channelID[64:96], r)
|
|
|
|
writeIntPadded(channelID[96:128], s)
|
|
|
|
encryptedExtensions.channelID = channelID
|
|
|
|
|
|
|
|
c.channelID = &c.config.ChannelID.PublicKey
|
|
|
|
|
|
|
|
encryptedExtensionsBytes := encryptedExtensions.marshal()
|
|
|
|
hs.writeHash(encryptedExtensionsBytes, seqno)
|
|
|
|
seqno++
|
|
|
|
postCCSBytes = append(postCCSBytes, encryptedExtensionsBytes...)
|
|
|
|
}
|
|
|
|
|
2014-06-20 20:00:00 +01:00
|
|
|
finished := new(finishedMsg)
|
2014-07-22 03:42:34 +01:00
|
|
|
if c.config.Bugs.EarlyChangeCipherSpec == 2 {
|
|
|
|
finished.verifyData = hs.finishedHash.clientSum(nil)
|
|
|
|
} else {
|
|
|
|
finished.verifyData = hs.finishedHash.clientSum(hs.masterSecret)
|
|
|
|
}
|
2014-10-29 00:29:33 +00:00
|
|
|
c.clientVerify = append(c.clientVerify[:0], finished.verifyData...)
|
Add DTLS timeout and retransmit tests.
This extends the packet adaptor protocol to send three commands:
type command =
| Packet of []byte
| Timeout of time.Duration
| TimeoutAck
When the shim processes a Timeout in BIO_read, it sends TimeoutAck, fails the
BIO_read, returns out of the SSL stack, advances the clock, calls
DTLSv1_handle_timeout, and continues.
If the Go side sends Timeout right between sending handshake flight N and
reading flight N+1, the shim won't read the Timeout until it has sent flight
N+1 (it only processes packet commands in BIO_read), so the TimeoutAck comes
after N+1. Go then drops all packets before the TimeoutAck, thus dropping one
transmit of flight N+1 without having to actually process the packets to
determine the end of the flight. The shim then sees the updated clock, calls
DTLSv1_handle_timeout, and re-sends flight N+1 for Go to process for real.
When dropping packets, Go checks the epoch and increments sequence numbers so
that we can continue to be strict here. This requires tracking the initial
sequence number of the next epoch.
The final Finished message takes an additional special-case to test. DTLS
triggers retransmits on either a timeout or seeing a stale flight. OpenSSL only
implements the former which should be sufficient (and is necessary) EXCEPT for
the final Finished message. If the peer's final Finished message is lost, it
won't be waiting for a message from us, so it won't time out anything. That
retransmit must be triggered on stale message, so we retransmit the Finished
message in Go.
Change-Id: I3ffbdb1de525beb2ee831b304670a3387877634c
Reviewed-on: https://boringssl-review.googlesource.com/3212
Reviewed-by: Adam Langley <agl@google.com>
2015-01-27 06:09:43 +00:00
|
|
|
hs.finishedBytes = finished.marshal()
|
|
|
|
hs.writeHash(hs.finishedBytes, seqno)
|
|
|
|
postCCSBytes = append(postCCSBytes, hs.finishedBytes...)
|
2014-07-21 21:14:03 +01:00
|
|
|
|
|
|
|
if c.config.Bugs.FragmentAcrossChangeCipherSpec {
|
|
|
|
c.writeRecord(recordTypeHandshake, postCCSBytes[:5])
|
|
|
|
postCCSBytes = postCCSBytes[5:]
|
|
|
|
}
|
2015-02-09 05:18:20 +00:00
|
|
|
c.dtlsFlushHandshake(true)
|
2014-07-21 21:14:03 +01:00
|
|
|
|
|
|
|
if !c.config.Bugs.SkipChangeCipherSpec &&
|
|
|
|
c.config.Bugs.EarlyChangeCipherSpec == 0 {
|
|
|
|
c.writeRecord(recordTypeChangeCipherSpec, []byte{1})
|
|
|
|
}
|
|
|
|
|
2015-01-26 04:52:39 +00:00
|
|
|
if c.config.Bugs.AppDataAfterChangeCipherSpec != nil {
|
|
|
|
c.writeRecord(recordTypeApplicationData, c.config.Bugs.AppDataAfterChangeCipherSpec)
|
|
|
|
}
|
|
|
|
|
2015-02-08 23:30:14 +00:00
|
|
|
if !c.config.Bugs.SkipFinished {
|
|
|
|
c.writeRecord(recordTypeHandshake, postCCSBytes)
|
2015-02-09 05:18:20 +00:00
|
|
|
c.dtlsFlushHandshake(false)
|
2015-01-31 22:16:01 +00:00
|
|
|
}
|
2014-06-20 20:00:00 +01:00
|
|
|
return nil
|
|
|
|
}
|
|
|
|
|
2014-08-04 06:23:53 +01:00
|
|
|
func (hs *clientHandshakeState) writeClientHash(msg []byte) {
|
|
|
|
// writeClientHash is called before writeRecord.
|
|
|
|
hs.writeHash(msg, hs.c.sendHandshakeSeq)
|
|
|
|
}
|
|
|
|
|
|
|
|
func (hs *clientHandshakeState) writeServerHash(msg []byte) {
|
|
|
|
// writeServerHash is called after readHandshake.
|
|
|
|
hs.writeHash(msg, hs.c.recvHandshakeSeq-1)
|
|
|
|
}
|
|
|
|
|
|
|
|
func (hs *clientHandshakeState) writeHash(msg []byte, seqno uint16) {
|
|
|
|
if hs.c.isDTLS {
|
|
|
|
// This is somewhat hacky. DTLS hashes a slightly different format.
|
|
|
|
// First, the TLS header.
|
|
|
|
hs.finishedHash.Write(msg[:4])
|
|
|
|
// Then the sequence number and reassembled fragment offset (always 0).
|
|
|
|
hs.finishedHash.Write([]byte{byte(seqno >> 8), byte(seqno), 0, 0, 0})
|
|
|
|
// Then the reassembled fragment (always equal to the message length).
|
|
|
|
hs.finishedHash.Write(msg[1:4])
|
|
|
|
// And then the message body.
|
|
|
|
hs.finishedHash.Write(msg[4:])
|
|
|
|
} else {
|
|
|
|
hs.finishedHash.Write(msg)
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2014-06-20 20:00:00 +01:00
|
|
|
// clientSessionCacheKey returns a key used to cache sessionTickets that could
|
|
|
|
// be used to resume previously negotiated TLS sessions with a server.
|
|
|
|
func clientSessionCacheKey(serverAddr net.Addr, config *Config) string {
|
|
|
|
if len(config.ServerName) > 0 {
|
|
|
|
return config.ServerName
|
|
|
|
}
|
|
|
|
return serverAddr.String()
|
|
|
|
}
|
|
|
|
|
2014-09-15 21:51:51 +01:00
|
|
|
// mutualProtocol finds the mutual Next Protocol Negotiation or ALPN protocol
|
|
|
|
// given list of possible protocols and a list of the preference order. The
|
|
|
|
// first list must not be empty. It returns the resulting protocol and flag
|
2014-06-20 20:00:00 +01:00
|
|
|
// indicating if the fallback case was reached.
|
2014-09-15 21:51:51 +01:00
|
|
|
func mutualProtocol(protos, preferenceProtos []string) (string, bool) {
|
|
|
|
for _, s := range preferenceProtos {
|
|
|
|
for _, c := range protos {
|
2014-06-20 20:00:00 +01:00
|
|
|
if s == c {
|
|
|
|
return s, false
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2014-09-15 21:51:51 +01:00
|
|
|
return protos[0], true
|
2014-06-20 20:00:00 +01:00
|
|
|
}
|
2014-08-24 06:44:23 +01:00
|
|
|
|
|
|
|
// writeIntPadded writes x into b, padded up with leading zeros as
|
|
|
|
// needed.
|
|
|
|
func writeIntPadded(b []byte, x *big.Int) {
|
|
|
|
for i := range b {
|
|
|
|
b[i] = 0
|
|
|
|
}
|
|
|
|
xb := x.Bytes()
|
|
|
|
copy(b[len(b)-len(xb):], xb)
|
|
|
|
}
|