2017-05-30 20:36:49 +00:00
|
|
|
package main
|
|
|
|
|
|
|
|
import (
|
2017-06-26 11:14:02 +00:00
|
|
|
"errors"
|
|
|
|
"golang.org/x/crypto/blake2s"
|
2017-06-01 19:31:30 +00:00
|
|
|
"net"
|
2017-05-30 20:36:49 +00:00
|
|
|
"sync"
|
2017-06-04 19:48:15 +00:00
|
|
|
"time"
|
2017-05-30 20:36:49 +00:00
|
|
|
)
|
|
|
|
|
2017-06-26 11:14:02 +00:00
|
|
|
const (
|
|
|
|
OutboundQueueSize = 64
|
|
|
|
)
|
|
|
|
|
2017-05-30 20:36:49 +00:00
|
|
|
type Peer struct {
|
2017-06-04 19:48:15 +00:00
|
|
|
mutex sync.RWMutex
|
2017-06-26 20:07:29 +00:00
|
|
|
endpoint *net.UDPAddr
|
2017-06-24 13:34:17 +00:00
|
|
|
persistentKeepaliveInterval time.Duration // 0 = disabled
|
2017-06-26 11:14:02 +00:00
|
|
|
keyPairs KeyPairs
|
2017-06-24 13:34:17 +00:00
|
|
|
handshake Handshake
|
|
|
|
device *Device
|
2017-06-26 11:14:02 +00:00
|
|
|
macKey [blake2s.Size]byte // Hash(Label-Mac1 || publicKey)
|
|
|
|
cookie []byte // cookie
|
|
|
|
cookieExpire time.Time
|
|
|
|
queueInbound chan []byte
|
|
|
|
queueOutbound chan *OutboundWorkQueueElement
|
|
|
|
queueOutboundRouting chan []byte
|
2017-06-24 13:34:17 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
func (device *Device) NewPeer(pk NoisePublicKey) *Peer {
|
|
|
|
var peer Peer
|
|
|
|
|
2017-06-26 11:14:02 +00:00
|
|
|
// create peer
|
|
|
|
|
|
|
|
peer.mutex.Lock()
|
|
|
|
peer.device = device
|
2017-06-26 20:07:29 +00:00
|
|
|
peer.keyPairs.Init()
|
2017-06-26 11:14:02 +00:00
|
|
|
peer.queueOutbound = make(chan *OutboundWorkQueueElement, OutboundQueueSize)
|
|
|
|
|
2017-06-24 13:34:17 +00:00
|
|
|
// map public key
|
|
|
|
|
|
|
|
device.mutex.Lock()
|
2017-06-26 11:14:02 +00:00
|
|
|
_, ok := device.peers[pk]
|
|
|
|
if ok {
|
|
|
|
panic(errors.New("bug: adding existing peer"))
|
|
|
|
}
|
2017-06-24 13:34:17 +00:00
|
|
|
device.peers[pk] = &peer
|
|
|
|
device.mutex.Unlock()
|
|
|
|
|
2017-06-26 11:14:02 +00:00
|
|
|
// precompute DH
|
2017-06-24 13:34:17 +00:00
|
|
|
|
2017-06-26 11:14:02 +00:00
|
|
|
handshake := &peer.handshake
|
|
|
|
handshake.mutex.Lock()
|
|
|
|
handshake.remoteStatic = pk
|
|
|
|
handshake.precomputedStaticStatic = device.privateKey.sharedSecret(handshake.remoteStatic)
|
|
|
|
|
|
|
|
// compute mac key
|
|
|
|
|
|
|
|
peer.macKey = blake2s.Sum256(append([]byte(WGLabelMAC1[:]), handshake.remoteStatic[:]...))
|
|
|
|
|
|
|
|
handshake.mutex.Unlock()
|
2017-06-24 13:34:17 +00:00
|
|
|
peer.mutex.Unlock()
|
|
|
|
|
|
|
|
return &peer
|
2017-05-30 20:36:49 +00:00
|
|
|
}
|