mirror of
https://git.zx2c4.com/wireguard-go
synced 2025-09-18 20:57:50 +02:00
76 lines
1.5 KiB
Go
76 lines
1.5 KiB
Go
/* SPDX-License-Identifier: MIT
|
|
*
|
|
* Copyright (C) 2017-2019 WireGuard LLC. All Rights Reserved.
|
|
*/
|
|
|
|
package device
|
|
|
|
import (
|
|
"crypto/hmac"
|
|
"crypto/subtle"
|
|
"hash"
|
|
|
|
"golang.org/x/crypto/blake2s"
|
|
)
|
|
|
|
/* KDF related functions.
|
|
* HMAC-based Key Derivation Function (HKDF)
|
|
* https://tools.ietf.org/html/rfc5869
|
|
*/
|
|
|
|
func HMAC1(sum *[blake2s.Size]byte, key, in0 []byte) {
|
|
mac := hmac.New(func() hash.Hash {
|
|
h, _ := blake2s.New256(nil)
|
|
return h
|
|
}, key)
|
|
mac.Write(in0)
|
|
mac.Sum(sum[:0])
|
|
}
|
|
|
|
func HMAC2(sum *[blake2s.Size]byte, key, in0, in1 []byte) {
|
|
mac := hmac.New(func() hash.Hash {
|
|
h, _ := blake2s.New256(nil)
|
|
return h
|
|
}, key)
|
|
mac.Write(in0)
|
|
mac.Write(in1)
|
|
mac.Sum(sum[:0])
|
|
}
|
|
|
|
func KDF1(t0 *[blake2s.Size]byte, key, input []byte) {
|
|
HMAC1(t0, key, input)
|
|
HMAC1(t0, t0[:], []byte{0x1})
|
|
}
|
|
|
|
func KDF2(t0, t1 *[blake2s.Size]byte, key, input []byte) {
|
|
var prk [blake2s.Size]byte
|
|
HMAC1(&prk, key, input)
|
|
HMAC1(t0, prk[:], []byte{0x1})
|
|
HMAC2(t1, prk[:], t0[:], []byte{0x2})
|
|
setZero(prk[:])
|
|
}
|
|
|
|
func KDF3(t0, t1, t2 *[blake2s.Size]byte, key, input []byte) {
|
|
var prk [blake2s.Size]byte
|
|
HMAC1(&prk, key, input)
|
|
HMAC1(t0, prk[:], []byte{0x1})
|
|
HMAC2(t1, prk[:], t0[:], []byte{0x2})
|
|
HMAC2(t2, prk[:], t1[:], []byte{0x3})
|
|
setZero(prk[:])
|
|
}
|
|
|
|
func isZero(val []byte) bool {
|
|
acc := 1
|
|
for _, b := range val {
|
|
acc &= subtle.ConstantTimeByteEq(b, 0)
|
|
}
|
|
return acc == 1
|
|
}
|
|
|
|
/* This function is not used as pervasively as it should because this is mostly impossible in Go at the moment */
|
|
func setZero(arr []byte) {
|
|
for i := range arr {
|
|
arr[i] = 0
|
|
}
|
|
}
|