mirror of
https://github.com/tailscale/tailscale.git
synced 2026-02-10 02:02:15 +01:00
This file was never truly necessary and has never actually been used in the history of Tailscale's open source releases. A Brief History of AUTHORS files --- The AUTHORS file was a pattern developed at Google, originally for Chromium, then adopted by Go and a bunch of other projects. The problem was that Chromium originally had a copyright line only recognizing Google as the copyright holder. Because Google (and most open source projects) do not require copyright assignemnt for contributions, each contributor maintains their copyright. Some large corporate contributors then tried to add their own name to the copyright line in the LICENSE file or in file headers. This quickly becomes unwieldy, and puts a tremendous burden on anyone building on top of Chromium, since the license requires that they keep all copyright lines intact. The compromise was to create an AUTHORS file that would list all of the copyright holders. The LICENSE file and source file headers would then include that list by reference, listing the copyright holder as "The Chromium Authors". This also become cumbersome to simply keep the file up to date with a high rate of new contributors. Plus it's not always obvious who the copyright holder is. Sometimes it is the individual making the contribution, but many times it may be their employer. There is no way for the proejct maintainer to know. Eventually, Google changed their policy to no longer recommend trying to keep the AUTHORS file up to date proactively, and instead to only add to it when requested: https://opensource.google/docs/releasing/authors. They are also clear that: > Adding contributors to the AUTHORS file is entirely within the > project's discretion and has no implications for copyright ownership. It was primarily added to appease a small number of large contributors that insisted that they be recognized as copyright holders (which was entirely their right to do). But it's not truly necessary, and not even the most accurate way of identifying contributors and/or copyright holders. In practice, we've never added anyone to our AUTHORS file. It only lists Tailscale, so it's not really serving any purpose. It also causes confusion because Tailscalars put the "Tailscale Inc & AUTHORS" header in other open source repos which don't actually have an AUTHORS file, so it's ambiguous what that means. Instead, we just acknowledge that the contributors to Tailscale (whoever they are) are copyright holders for their individual contributions. We also have the benefit of using the DCO (developercertificate.org) which provides some additional certification of their right to make the contribution. The source file changes were purely mechanical with: git ls-files | xargs sed -i -e 's/\(Tailscale Inc &\) AUTHORS/\1 contributors/g' Updates #cleanup Change-Id: Ia101a4a3005adb9118051b3416f5a64a4a45987d Signed-off-by: Will Norris <will@tailscale.com>
319 lines
9.2 KiB
Go
319 lines
9.2 KiB
Go
// Copyright (c) Tailscale Inc & contributors
|
|
// SPDX-License-Identifier: BSD-3-Clause
|
|
|
|
package xdp
|
|
|
|
import (
|
|
"errors"
|
|
"fmt"
|
|
"log"
|
|
"math"
|
|
"net"
|
|
"sync"
|
|
|
|
"github.com/cilium/ebpf"
|
|
"github.com/cilium/ebpf/link"
|
|
"github.com/prometheus/client_golang/prometheus"
|
|
)
|
|
|
|
//go:generate go run github.com/cilium/ebpf/cmd/bpf2go -type config -type counters_key -type counter_key_af -type counter_key_packets_bytes_action -type counter_key_prog_end bpf xdp.c -- -I headers
|
|
|
|
// STUNServer manages loading and unloading of an eBPF XDP program that serves
|
|
// the STUN protocol. It exports statistics for the XDP program via its
|
|
// implementation of the prometheus.Collector interface.
|
|
type STUNServer struct {
|
|
mu sync.Mutex
|
|
objs *bpfObjects
|
|
metrics *stunServerMetrics
|
|
dstPort int
|
|
dropSTUN bool
|
|
link link.Link
|
|
}
|
|
|
|
//lint:ignore U1000 used in xdp_linux_test.go, which has a build tag
|
|
type noAttachOption struct{}
|
|
|
|
//lint:ignore u1000 Used in xdp_linux_test.go, which has a build tag
|
|
func (n noAttachOption) apply(opts *stunServerOptions) {
|
|
opts.noAttach = true
|
|
}
|
|
|
|
func (s *STUNServerConfig) validate() error {
|
|
if len(s.DeviceName) < 1 {
|
|
return errors.New("DeviceName is unspecified")
|
|
}
|
|
if s.DstPort < 0 || s.DstPort > math.MaxUint16 {
|
|
return errors.New("DstPort is outside of uint16 bounds")
|
|
}
|
|
return nil
|
|
}
|
|
|
|
// NewSTUNServer returns an instance of a STUNServer that has attached the STUN
|
|
// XDP program to the netdev and destination port specified by config.
|
|
func NewSTUNServer(config *STUNServerConfig, opts ...STUNServerOption) (*STUNServer, error) {
|
|
o := &stunServerOptions{}
|
|
for _, opt := range opts {
|
|
opt.apply(o)
|
|
}
|
|
err := config.validate()
|
|
if err != nil {
|
|
return nil, fmt.Errorf("invalid config: %v", err)
|
|
}
|
|
objs := new(bpfObjects)
|
|
err = loadBpfObjects(objs, nil)
|
|
if err != nil {
|
|
var ve *ebpf.VerifierError
|
|
if config.FullVerifierErr && errors.As(err, &ve) {
|
|
err = fmt.Errorf("verifier error: %+v", ve)
|
|
}
|
|
return nil, fmt.Errorf("error loading XDP program: %w", err)
|
|
}
|
|
server := &STUNServer{
|
|
objs: objs,
|
|
metrics: newSTUNServerMetrics(),
|
|
dstPort: config.DstPort,
|
|
}
|
|
var key uint32
|
|
xdpConfig := &bpfConfig{
|
|
DstPort: uint16(config.DstPort),
|
|
}
|
|
err = objs.ConfigMap.Put(key, xdpConfig)
|
|
if err != nil {
|
|
return nil, fmt.Errorf("error loading config in eBPF map: %w", err)
|
|
}
|
|
if o.noAttach {
|
|
return server, nil
|
|
}
|
|
iface, err := net.InterfaceByName(config.DeviceName)
|
|
if err != nil {
|
|
return nil, fmt.Errorf("error finding device: %w", err)
|
|
}
|
|
link, err := link.AttachXDP(link.XDPOptions{
|
|
Program: objs.XdpProgFunc,
|
|
Interface: iface.Index,
|
|
Flags: link.XDPAttachFlags(config.AttachFlags),
|
|
})
|
|
if err != nil {
|
|
return nil, fmt.Errorf("error attaching XDP program to dev: %w", err)
|
|
}
|
|
server.link = link
|
|
return server, nil
|
|
}
|
|
|
|
// Close unloads the XDP program and associated maps.
|
|
func (s *STUNServer) Close() error {
|
|
s.mu.Lock()
|
|
defer s.mu.Unlock()
|
|
var errs []error
|
|
if s.link != nil {
|
|
errs = append(errs, s.link.Close())
|
|
}
|
|
errs = append(errs, s.objs.Close())
|
|
return errors.Join(errs...)
|
|
}
|
|
|
|
type stunServerMetrics struct {
|
|
last map[bpfCountersKey]uint64
|
|
registry *prometheus.Registry
|
|
packets *prometheus.CounterVec
|
|
bytes *prometheus.CounterVec
|
|
}
|
|
|
|
func newSTUNServerMetrics() *stunServerMetrics {
|
|
last := make(map[bpfCountersKey]uint64)
|
|
registry := prometheus.NewRegistry()
|
|
packets := prometheus.NewCounterVec(prometheus.CounterOpts{
|
|
Namespace: "xdp",
|
|
Subsystem: "stun_server",
|
|
Name: "packets_total",
|
|
}, []string{addressFamilyKey, xdpOutcomeKey, progEndKey})
|
|
bytes := prometheus.NewCounterVec(prometheus.CounterOpts{
|
|
Namespace: "xdp",
|
|
Subsystem: "stun_server",
|
|
Name: "bytes_total",
|
|
}, []string{addressFamilyKey, xdpOutcomeKey, progEndKey})
|
|
registry.MustRegister(packets, bytes)
|
|
return &stunServerMetrics{
|
|
last: last,
|
|
registry: registry,
|
|
packets: packets,
|
|
bytes: bytes,
|
|
}
|
|
}
|
|
|
|
const (
|
|
xdpOutcomeKey = "xdp_outcome"
|
|
progEndKey = "prog_end"
|
|
)
|
|
|
|
const (
|
|
xdpOutcomePass = "pass"
|
|
xdpOutcomeAborted = "aborted"
|
|
xdpOutcomeDrop = "drop"
|
|
xdpOutcomeTX = "tx"
|
|
)
|
|
|
|
func sum(vals []uint64) uint64 {
|
|
var s uint64
|
|
for _, v := range vals {
|
|
s += v
|
|
}
|
|
return s
|
|
}
|
|
|
|
const (
|
|
addressFamilyKey = "address_family"
|
|
)
|
|
|
|
const (
|
|
addressFamilyUnknown = "unknown"
|
|
addressFamilyIPv4 = "ipv4"
|
|
addressFamilyIPv6 = "ipv6"
|
|
)
|
|
|
|
var (
|
|
// TODO(jwhited): go generate these maps or equivalent switch logic behind bpf2go
|
|
pbaToOutcomeLV = map[bpfCounterKeyPacketsBytesAction]string{
|
|
bpfCounterKeyPacketsBytesActionCOUNTER_KEY_PACKETS_PASS_TOTAL: xdpOutcomePass,
|
|
bpfCounterKeyPacketsBytesActionCOUNTER_KEY_BYTES_PASS_TOTAL: xdpOutcomePass,
|
|
bpfCounterKeyPacketsBytesActionCOUNTER_KEY_PACKETS_ABORTED_TOTAL: xdpOutcomeAborted,
|
|
bpfCounterKeyPacketsBytesActionCOUNTER_KEY_BYTES_ABORTED_TOTAL: xdpOutcomeAborted,
|
|
bpfCounterKeyPacketsBytesActionCOUNTER_KEY_PACKETS_TX_TOTAL: xdpOutcomeTX,
|
|
bpfCounterKeyPacketsBytesActionCOUNTER_KEY_BYTES_TX_TOTAL: xdpOutcomeTX,
|
|
bpfCounterKeyPacketsBytesActionCOUNTER_KEY_PACKETS_DROP_TOTAL: xdpOutcomeDrop,
|
|
bpfCounterKeyPacketsBytesActionCOUNTER_KEY_BYTES_DROP_TOTAL: xdpOutcomeDrop,
|
|
}
|
|
|
|
progEndLV = map[bpfCounterKeyProgEnd]string{
|
|
bpfCounterKeyProgEndCOUNTER_KEY_END_UNSPECIFIED: "unspecified",
|
|
bpfCounterKeyProgEndCOUNTER_KEY_END_UNEXPECTED_FIRST_STUN_ATTR: "unexpected_first_stun_attr",
|
|
bpfCounterKeyProgEndCOUNTER_KEY_END_INVALID_UDP_CSUM: "invalid_udp_csum",
|
|
bpfCounterKeyProgEndCOUNTER_KEY_END_INVALID_IP_CSUM: "invalid_ip_csum",
|
|
bpfCounterKeyProgEndCOUNTER_KEY_END_NOT_STUN_PORT: "not_stun_port",
|
|
bpfCounterKeyProgEndCOUNTER_KEY_END_INVALID_SW_ATTR_VAL: "invalid_sw_attr_val",
|
|
bpfCounterKeyProgEndCOUNTER_KEY_END_DROP_STUN: "drop_stun",
|
|
}
|
|
|
|
packetCounterKeys = map[bpfCounterKeyPacketsBytesAction]bool{
|
|
bpfCounterKeyPacketsBytesActionCOUNTER_KEY_PACKETS_PASS_TOTAL: true,
|
|
bpfCounterKeyPacketsBytesActionCOUNTER_KEY_PACKETS_ABORTED_TOTAL: true,
|
|
bpfCounterKeyPacketsBytesActionCOUNTER_KEY_PACKETS_TX_TOTAL: true,
|
|
bpfCounterKeyPacketsBytesActionCOUNTER_KEY_PACKETS_DROP_TOTAL: true,
|
|
}
|
|
|
|
//lint:ignore U1000 used in xdp_linux_test.go, which has a build tag
|
|
bytesCounterKeys = map[bpfCounterKeyPacketsBytesAction]bool{
|
|
bpfCounterKeyPacketsBytesActionCOUNTER_KEY_BYTES_PASS_TOTAL: true,
|
|
bpfCounterKeyPacketsBytesActionCOUNTER_KEY_BYTES_ABORTED_TOTAL: true,
|
|
bpfCounterKeyPacketsBytesActionCOUNTER_KEY_BYTES_TX_TOTAL: true,
|
|
bpfCounterKeyPacketsBytesActionCOUNTER_KEY_BYTES_DROP_TOTAL: true,
|
|
}
|
|
)
|
|
|
|
// increase returns the difference between "from" and "to" assuming they
|
|
// originated from the same counter gathered at different times, i.e. "from"
|
|
// was incremented by a non-negative value into "to". In the case of wraps
|
|
// increase returns the difference between "to" and zero.
|
|
func increase(from, to uint64) uint64 {
|
|
if to >= from {
|
|
return to - from
|
|
}
|
|
return to
|
|
}
|
|
|
|
func (s *stunServerMetrics) updateFromMapKV(key bpfCountersKey, vals []uint64) error {
|
|
if key.Unused != 0 ||
|
|
key.Af >= uint8(bpfCounterKeyAfCOUNTER_KEY_AF_LEN) ||
|
|
key.Pba >= uint8(bpfCounterKeyPacketsBytesActionCOUNTER_KEY_PACKETS_BYTES_ACTION_LEN) ||
|
|
key.ProgEnd >= uint8(bpfCounterKeyProgEndCOUNTER_KEY_END_LEN) {
|
|
return fmt.Errorf("unexpected counter key: %+v", key)
|
|
}
|
|
previousAllCPUs := s.last[key]
|
|
allCPUs := sum(vals)
|
|
s.last[key] = allCPUs
|
|
inc := increase(previousAllCPUs, allCPUs)
|
|
if inc == 0 {
|
|
return nil
|
|
}
|
|
var af string
|
|
switch key.Af {
|
|
case uint8(bpfCounterKeyAfCOUNTER_KEY_AF_UNKNOWN):
|
|
af = addressFamilyUnknown
|
|
case uint8(bpfCounterKeyAfCOUNTER_KEY_AF_IPV4):
|
|
af = addressFamilyIPv4
|
|
case uint8(bpfCounterKeyAfCOUNTER_KEY_AF_IPV6):
|
|
af = addressFamilyIPv6
|
|
}
|
|
labels := prometheus.Labels{
|
|
addressFamilyKey: af,
|
|
xdpOutcomeKey: pbaToOutcomeLV[bpfCounterKeyPacketsBytesAction(key.Pba)],
|
|
progEndKey: progEndLV[bpfCounterKeyProgEnd(key.ProgEnd)],
|
|
}
|
|
var metric *prometheus.CounterVec
|
|
if packetCounterKeys[bpfCounterKeyPacketsBytesAction(key.Pba)] {
|
|
metric = s.packets
|
|
} else {
|
|
metric = s.bytes
|
|
}
|
|
metric.With(labels).Add(float64(inc))
|
|
return nil
|
|
}
|
|
|
|
// Describe is part of the implementation of prometheus.Collector.
|
|
func (s *STUNServer) Describe(descCh chan<- *prometheus.Desc) {
|
|
s.metrics.registry.Describe(descCh)
|
|
}
|
|
|
|
// Collect is part of the implementation of prometheus.Collector.
|
|
func (s *STUNServer) Collect(metricCh chan<- prometheus.Metric) {
|
|
err := s.updateMetrics()
|
|
if err != nil {
|
|
log.Printf("xdp: error collecting metrics: %v", err)
|
|
}
|
|
s.metrics.registry.Collect(metricCh)
|
|
}
|
|
|
|
func (s *STUNServer) SetDropSTUN(v bool) error {
|
|
s.mu.Lock()
|
|
defer s.mu.Unlock()
|
|
dropSTUN := 0
|
|
if v {
|
|
dropSTUN = 1
|
|
}
|
|
xdpConfig := &bpfConfig{
|
|
DstPort: uint16(s.dstPort),
|
|
DropStun: uint16(dropSTUN),
|
|
}
|
|
var key uint32
|
|
err := s.objs.ConfigMap.Put(key, xdpConfig)
|
|
if err == nil {
|
|
s.dropSTUN = v
|
|
}
|
|
return err
|
|
}
|
|
|
|
func (s *STUNServer) GetDropSTUN() bool {
|
|
s.mu.Lock()
|
|
defer s.mu.Unlock()
|
|
return s.dropSTUN
|
|
}
|
|
|
|
func (s *STUNServer) updateMetrics() error {
|
|
s.mu.Lock()
|
|
defer s.mu.Unlock()
|
|
iter := s.objs.CountersMap.Iterate()
|
|
var key bpfCountersKey
|
|
numCPU, err := ebpf.PossibleCPU()
|
|
if err != nil {
|
|
return err
|
|
}
|
|
vals := make([]uint64, numCPU)
|
|
for iter.Next(&key, &vals) {
|
|
err := s.metrics.updateFromMapKV(key, vals)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
}
|
|
return iter.Err()
|
|
}
|