mirror of
https://github.com/refraction-networking/utls.git
synced 2025-04-01 19:17:36 +03:00
69 lines
1.9 KiB
Go
69 lines
1.9 KiB
Go
// Copyright 2024 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 tls12
|
|
|
|
import (
|
|
"crypto/hmac"
|
|
"hash"
|
|
)
|
|
|
|
// PRF implements the TLS 1.2 pseudo-random function, as defined in RFC 5246,
|
|
// Section 5 and allowed by SP 800-135, Revision 1, Section 4.2.2.
|
|
func PRF(hash func() hash.Hash, secret []byte, label string, seed []byte, keyLen int) []byte {
|
|
labelAndSeed := make([]byte, len(label)+len(seed))
|
|
copy(labelAndSeed, label)
|
|
copy(labelAndSeed[len(label):], seed)
|
|
|
|
result := make([]byte, keyLen)
|
|
pHash(hash, result, secret, labelAndSeed)
|
|
return result
|
|
}
|
|
|
|
// pHash implements the P_hash function, as defined in RFC 5246, Section 5.
|
|
func pHash(hash func() hash.Hash, result, secret, seed []byte) {
|
|
h := hmac.New(hash, secret)
|
|
h.Write(seed)
|
|
a := h.Sum(nil)
|
|
|
|
for len(result) > 0 {
|
|
h.Reset()
|
|
h.Write(a)
|
|
h.Write(seed)
|
|
b := h.Sum(nil)
|
|
n := copy(result, b)
|
|
result = result[n:]
|
|
|
|
h.Reset()
|
|
h.Write(a)
|
|
a = h.Sum(nil)
|
|
}
|
|
}
|
|
|
|
const masterSecretLength = 48
|
|
const extendedMasterSecretLabel = "extended master secret"
|
|
|
|
// MasterSecret implements the TLS 1.2 extended master secret derivation, as
|
|
// defined in RFC 7627 and allowed by SP 800-135, Revision 1, Section 4.2.2.
|
|
func MasterSecret(hash func() hash.Hash, preMasterSecret, transcript []byte) []byte {
|
|
// [uTLS SECTION BEGIN]
|
|
// "The TLS 1.2 KDF is an approved KDF when the following conditions are
|
|
// satisfied: [...] (3) P_HASH uses either SHA-256, SHA-384 or SHA-512."
|
|
// h := hash()
|
|
// switch any(h).(type) {
|
|
// case *sha256.Digest:
|
|
// if h.Size() != 32 {
|
|
// fips140.RecordNonApproved()
|
|
// }
|
|
// case *sha512.Digest:
|
|
// if h.Size() != 46 && h.Size() != 64 {
|
|
// fips140.RecordNonApproved()
|
|
// }
|
|
// default:
|
|
// fips140.RecordNonApproved()
|
|
// }
|
|
// [uTLS SECTION END]
|
|
|
|
return PRF(hash, preMasterSecret, extendedMasterSecretLabel, transcript, masterSecretLength)
|
|
}
|