headscale/machine.go

855 lines
21 KiB
Go
Raw Normal View History

2020-06-21 18:32:08 +08:00
package headscale
import (
2022-01-16 21:16:59 +08:00
"database/sql/driver"
"errors"
2020-06-21 18:32:08 +08:00
"fmt"
"sort"
2021-02-23 06:27:33 +08:00
"strconv"
"strings"
2020-06-21 18:32:08 +08:00
"time"
"github.com/fatih/set"
2021-11-13 16:39:04 +08:00
v1 "github.com/juanfont/headscale/gen/go/headscale/v1"
2021-08-06 01:11:26 +08:00
"github.com/rs/zerolog/log"
"google.golang.org/protobuf/types/known/timestamppb"
2021-02-21 05:43:07 +08:00
"inet.af/netaddr"
2020-06-21 18:32:08 +08:00
"tailscale.com/tailcfg"
"tailscale.com/types/key"
2020-06-21 18:32:08 +08:00
)
2021-11-16 03:18:14 +08:00
const (
errMachineNotFound = Error("machine not found")
errMachineRouteIsNotAvailable = Error("route is not available on machine")
errMachineAddressesInvalid = Error("failed to parse machine addresses")
errMachineNotFoundRegistrationCache = Error(
"machine not found in registration cache",
)
errCouldNotConvertMachineInterface = Error("failed to convert machine interface")
errHostnameTooLong = Error("Hostname too long")
)
const (
maxHostnameLength = 255
2021-11-16 03:18:14 +08:00
)
2021-11-13 16:39:04 +08:00
// Machine is a Headscale client.
2020-06-21 18:32:08 +08:00
type Machine struct {
ID uint64 `gorm:"primary_key"`
MachineKey string `gorm:"type:varchar(64);unique_index"`
NodeKey string
DiscoKey string
2022-01-16 21:16:59 +08:00
IPAddresses MachineAddresses
Name string
NamespaceID uint
2021-06-26 00:57:08 +08:00
Namespace Namespace `gorm:"foreignKey:NamespaceID"`
2020-06-21 18:32:08 +08:00
RegisterMethod string
ForcedTags StringList
// TODO(kradalby): This seems like irrelevant information?
AuthKeyID uint
AuthKey *PreAuthKey
LastSeen *time.Time
LastSuccessfulUpdate *time.Time
Expiry *time.Time
2020-06-21 18:32:08 +08:00
HostInfo HostInfo
Endpoints StringList
EnabledRoutes IPPrefixes
2020-06-21 18:32:08 +08:00
CreatedAt time.Time
UpdatedAt time.Time
DeletedAt *time.Time
}
type (
Machines []Machine
MachinesP []*Machine
)
2022-01-16 21:16:59 +08:00
type MachineAddresses []netaddr.IP
func (ma MachineAddresses) ToStringSlice() []string {
strSlice := make([]string, 0, len(ma))
for _, addr := range ma {
strSlice = append(strSlice, addr.String())
}
return strSlice
}
func (ma *MachineAddresses) Scan(destination interface{}) error {
switch value := destination.(type) {
case string:
addresses := strings.Split(value, ",")
*ma = (*ma)[:0]
for _, addr := range addresses {
if len(addr) < 1 {
continue
}
parsed, err := netaddr.ParseIP(addr)
if err != nil {
return err
}
*ma = append(*ma, parsed)
}
return nil
default:
return fmt.Errorf("%w: unexpected data type %T", errMachineAddressesInvalid, destination)
}
}
// Value return json value, implement driver.Valuer interface.
func (ma MachineAddresses) Value() (driver.Value, error) {
addresses := strings.Join(ma.ToStringSlice(), ",")
return addresses, nil
}
2021-11-13 16:39:04 +08:00
// isExpired returns whether the machine registration has expired.
func (machine Machine) isExpired() bool {
// If Expiry is not set, the client has not indicated that
// it wants an expiry time, it is therefor considered
// to mean "not expired"
2022-03-02 15:15:20 +08:00
if machine.Expiry == nil || machine.Expiry.IsZero() {
return false
2021-10-10 17:22:42 +08:00
}
return time.Now().UTC().After(*machine.Expiry)
2021-10-10 17:22:42 +08:00
}
func containsAddresses(inputs []string, addrs []string) bool {
for _, addr := range addrs {
if contains(inputs, addr) {
return true
}
}
return false
}
2022-02-21 17:02:59 +08:00
// matchSourceAndDestinationWithRule.
2022-02-21 23:06:20 +08:00
func matchSourceAndDestinationWithRule(
ruleSources []string,
ruleDestinations []string,
source []string,
destination []string,
) bool {
return containsAddresses(ruleSources, source) &&
containsAddresses(ruleDestinations, destination)
}
// getFilteredByACLPeerss should return the list of peers authorized to be accessed from machine.
2022-02-21 23:06:20 +08:00
func getFilteredByACLPeers(
machines []Machine,
rules []tailcfg.FilterRule,
machine *Machine,
) Machines {
log.Trace().
Caller().
Str("machine", machine.Name).
Msg("Finding peers filtered by ACLs")
peers := make(map[uint64]Machine)
// Aclfilter peers here. We are itering through machines in all namespaces and search through the computed aclRules
// for match between rule SrcIPs and DstPorts. If the rule is a match we allow the machine to be viewable.
for _, peer := range machines {
if peer.ID == machine.ID {
continue
}
for _, rule := range rules {
var dst []string
for _, d := range rule.DstPorts {
dst = append(dst, d.IP)
}
2022-02-21 23:06:20 +08:00
if matchSourceAndDestinationWithRule(
rule.SrcIPs,
dst,
machine.IPAddresses.ToStringSlice(),
peer.IPAddresses.ToStringSlice(),
) || // match source and destination
matchSourceAndDestinationWithRule(
rule.SrcIPs,
dst,
peer.IPAddresses.ToStringSlice(),
machine.IPAddresses.ToStringSlice(),
) || // match return path
2022-02-22 04:45:15 +08:00
matchSourceAndDestinationWithRule(
rule.SrcIPs,
dst,
machine.IPAddresses.ToStringSlice(),
[]string{"*"},
) || // match source and all destination
matchSourceAndDestinationWithRule(
rule.SrcIPs,
dst,
[]string{"*"},
[]string{"*"},
) || // match source and all destination
matchSourceAndDestinationWithRule(
rule.SrcIPs,
dst,
[]string{"*"},
2022-02-22 04:45:15 +08:00
peer.IPAddresses.ToStringSlice(),
) || // match source and all destination
matchSourceAndDestinationWithRule(
rule.SrcIPs,
dst,
[]string{"*"},
2022-02-22 04:45:15 +08:00
machine.IPAddresses.ToStringSlice(),
) { // match all sources and source
peers[peer.ID] = peer
}
}
}
authorizedPeers := make([]Machine, 0, len(peers))
for _, m := range peers {
authorizedPeers = append(authorizedPeers, m)
}
2022-02-14 22:54:51 +08:00
sort.Slice(
authorizedPeers,
func(i, j int) bool { return authorizedPeers[i].ID < authorizedPeers[j].ID },
2022-02-14 22:54:51 +08:00
)
log.Trace().
Caller().
Str("machine", machine.Name).
Msgf("Found some machines: %v", machines)
2022-02-21 17:02:59 +08:00
return authorizedPeers
}
2022-02-25 17:26:34 +08:00
func (h *Headscale) ListPeers(machine *Machine) (Machines, error) {
log.Trace().
Caller().
Str("machine", machine.Name).
Msg("Finding direct peers")
machines := Machines{}
if err := h.db.Preload("AuthKey").Preload("AuthKey.Namespace").Preload("Namespace").Where("machine_key <> ?",
2022-02-25 17:26:34 +08:00
machine.MachineKey).Find(&machines).Error; err != nil {
log.Error().Err(err).Msg("Error accessing db")
2021-11-14 23:46:09 +08:00
return Machines{}, err
2020-06-21 18:32:08 +08:00
}
sort.Slice(machines, func(i, j int) bool { return machines[i].ID < machines[j].ID })
2020-06-21 18:32:08 +08:00
log.Trace().
Caller().
Str("machine", machine.Name).
2022-02-25 17:26:34 +08:00
Msgf("Found peers: %s", machines.String())
2021-11-14 23:46:09 +08:00
return machines, nil
2020-06-21 18:32:08 +08:00
}
func (h *Headscale) getPeers(machine *Machine) (Machines, error) {
var peers Machines
var err error
// If ACLs rules are defined, filter visible host list with the ACLs
// else use the classic namespace scope
if h.aclPolicy != nil {
var machines []Machine
2022-02-25 17:26:34 +08:00
machines, err = h.ListMachines()
if err != nil {
log.Error().Err(err).Msg("Error retrieving list of machines")
2021-11-14 23:46:09 +08:00
return Machines{}, err
}
2022-02-21 17:02:59 +08:00
peers = getFilteredByACLPeers(machines, h.aclRules, machine)
} else {
2022-02-25 17:26:34 +08:00
peers, err = h.ListPeers(machine)
if err != nil {
log.Error().
Caller().
Err(err).
Msg("Cannot fetch peers")
return Machines{}, err
}
}
sort.Slice(peers, func(i, j int) bool { return peers[i].ID < peers[j].ID })
log.Trace().
Caller().
Str("machine", machine.Name).
Msgf("Found total peers: %s", peers.String())
return peers, nil
2020-06-21 18:32:08 +08:00
}
2021-03-14 18:38:42 +08:00
func (h *Headscale) getValidPeers(machine *Machine) (Machines, error) {
validPeers := make(Machines, 0)
peers, err := h.getPeers(machine)
if err != nil {
return Machines{}, err
}
for _, peer := range peers {
if !peer.isExpired() {
validPeers = append(validPeers, peer)
}
}
return validPeers, nil
}
func (h *Headscale) ListMachines() ([]Machine, error) {
machines := []Machine{}
if err := h.db.Preload("AuthKey").Preload("AuthKey.Namespace").Preload("Namespace").Find(&machines).Error; err != nil {
return nil, err
}
2021-11-14 23:46:09 +08:00
return machines, nil
}
2021-11-13 16:39:04 +08:00
// GetMachine finds a Machine by name and namespace and returns the Machine struct.
2021-03-14 18:38:42 +08:00
func (h *Headscale) GetMachine(namespace string, name string) (*Machine, error) {
machines, err := h.ListMachinesInNamespace(namespace)
if err != nil {
return nil, err
}
for _, m := range machines {
2021-03-14 18:38:42 +08:00
if m.Name == name {
return &m, nil
}
}
2021-11-14 23:46:09 +08:00
2021-11-16 03:18:14 +08:00
return nil, errMachineNotFound
2021-03-14 18:38:42 +08:00
}
2021-11-13 16:39:04 +08:00
// GetMachineByID finds a Machine by ID and returns the Machine struct.
2021-07-17 06:14:22 +08:00
func (h *Headscale) GetMachineByID(id uint64) (*Machine, error) {
m := Machine{}
if result := h.db.Preload("Namespace").Find(&Machine{ID: id}).First(&m); result.Error != nil {
2021-07-17 06:14:22 +08:00
return nil, result.Error
}
2021-11-14 23:46:09 +08:00
2021-07-17 06:14:22 +08:00
return &m, nil
}
2021-11-13 16:39:04 +08:00
// GetMachineByMachineKey finds a Machine by ID and returns the Machine struct.
func (h *Headscale) GetMachineByMachineKey(
machineKey key.MachinePublic,
) (*Machine, error) {
m := Machine{}
if result := h.db.Preload("Namespace").First(&m, "machine_key = ?", MachinePublicKeyStripPrefix(machineKey)); result.Error != nil {
return nil, result.Error
}
2021-11-14 23:46:09 +08:00
return &m, nil
}
2021-08-23 14:35:44 +08:00
// UpdateMachine takes a Machine struct pointer (typically already loaded from database
// and updates it with the latest data from the database.
func (h *Headscale) UpdateMachine(machine *Machine) error {
if result := h.db.Find(machine).First(&machine); result.Error != nil {
return result.Error
}
2021-11-14 23:46:09 +08:00
return nil
}
// SetTags takes a Machine struct pointer and update the forced tags.
func (h *Headscale) SetTags(machine *Machine, tags []string) error {
machine.ForcedTags = tags
if err := h.UpdateACLRules(); err != nil && !errors.Is(err, errEmptyPolicy) {
return err
}
h.setLastStateChangeToNow(machine.Namespace.Name)
2022-05-30 21:31:06 +08:00
if err := h.db.Save(machine).Error; err != nil {
return fmt.Errorf("failed to update tags for machine in the database: %w", err)
}
return nil
}
2021-11-21 21:40:19 +08:00
// ExpireMachine takes a Machine struct and sets the expire field to now.
2022-05-30 21:31:06 +08:00
func (h *Headscale) ExpireMachine(machine *Machine) error {
2021-11-21 21:40:19 +08:00
now := time.Now()
machine.Expiry = &now
h.setLastStateChangeToNow(machine.Namespace.Name)
2022-05-30 21:31:06 +08:00
if err := h.db.Save(machine).Error; err != nil {
return fmt.Errorf("failed to expire machine in the database: %w", err)
}
return nil
2021-11-21 21:40:19 +08:00
}
2022-05-30 21:31:06 +08:00
// RefreshMachine takes a Machine struct and sets the expire field.
func (h *Headscale) RefreshMachine(machine *Machine, expiry time.Time) error {
now := time.Now()
machine.LastSuccessfulUpdate = &now
machine.Expiry = &expiry
h.setLastStateChangeToNow(machine.Namespace.Name)
2022-05-30 21:31:06 +08:00
if err := h.db.Save(machine).Error; err != nil {
return fmt.Errorf("failed to refresh machine (update expiration) in the database: %w", err)
}
return nil
}
2021-11-13 16:39:04 +08:00
// DeleteMachine softs deletes a Machine from the database.
func (h *Headscale) DeleteMachine(machine *Machine) error {
if err := h.db.Delete(&machine).Error; err != nil {
2021-07-17 06:14:22 +08:00
return err
}
2022-02-13 05:04:00 +08:00
return nil
2021-07-17 06:14:22 +08:00
}
func (h *Headscale) TouchMachine(machine *Machine) error {
return h.db.Updates(Machine{
ID: machine.ID,
LastSeen: machine.LastSeen,
LastSuccessfulUpdate: machine.LastSuccessfulUpdate,
}).Error
}
2021-11-13 16:39:04 +08:00
// HardDeleteMachine hard deletes a Machine from the database.
func (h *Headscale) HardDeleteMachine(machine *Machine) error {
if err := h.db.Unscoped().Delete(&machine).Error; err != nil {
2021-07-17 06:14:22 +08:00
return err
}
2022-02-13 05:04:00 +08:00
return nil
2021-07-17 06:14:22 +08:00
}
2021-11-13 16:39:04 +08:00
// GetHostInfo returns a Hostinfo struct for the machine.
func (machine *Machine) GetHostInfo() tailcfg.Hostinfo {
return tailcfg.Hostinfo(machine.HostInfo)
2021-03-14 18:38:42 +08:00
}
func (h *Headscale) isOutdated(machine *Machine) bool {
if err := h.UpdateMachine(machine); err != nil {
2021-10-07 22:45:45 +08:00
// It does not seem meaningful to propagate this error as the end result
// will have to be that the machine has to be considered outdated.
return true
}
namespaceSet := set.New(set.ThreadSafe)
namespaceSet.Add(machine.Namespace.Name)
namespaces := make([]string, namespaceSet.Size())
for index, namespace := range namespaceSet.List() {
2021-11-16 02:42:44 +08:00
if name, ok := namespace.(string); ok {
namespaces[index] = name
}
}
lastChange := h.getLastStateChange(namespaces...)
lastUpdate := machine.CreatedAt
if machine.LastSuccessfulUpdate != nil {
lastUpdate = *machine.LastSuccessfulUpdate
}
log.Trace().
Caller().
Str("machine", machine.Name).
Time("last_successful_update", lastChange).
Time("last_state_change", lastUpdate).
Msgf("Checking if %s is missing updates", machine.Name)
2021-11-14 23:46:09 +08:00
return lastUpdate.Before(lastChange)
}
func (machine Machine) String() string {
return machine.Name
}
func (machines Machines) String() string {
temp := make([]string, len(machines))
for index, machine := range machines {
temp[index] = machine.Name
}
return fmt.Sprintf("[ %s ](%d)", strings.Join(temp, ", "), len(temp))
}
// TODO(kradalby): Remove when we have generics...
func (machines MachinesP) String() string {
temp := make([]string, len(machines))
for index, machine := range machines {
temp[index] = machine.Name
}
return fmt.Sprintf("[ %s ](%d)", strings.Join(temp, ", "), len(temp))
}
func (machines Machines) toNodes(
2021-10-30 23:33:01 +08:00
baseDomain string,
dnsConfig *tailcfg.DNSConfig,
includeRoutes bool,
) ([]*tailcfg.Node, error) {
nodes := make([]*tailcfg.Node, len(machines))
for index, machine := range machines {
2021-10-05 05:49:16 +08:00
node, err := machine.toNode(baseDomain, dnsConfig, includeRoutes)
if err != nil {
return nil, err
}
nodes[index] = node
}
return nodes, nil
}
// toNode converts a Machine into a Tailscale Node. includeRoutes is false for shared nodes
2021-11-13 16:39:04 +08:00
// as per the expected behaviour in the official SaaS.
func (machine Machine) toNode(
2021-11-13 16:36:45 +08:00
baseDomain string,
dnsConfig *tailcfg.DNSConfig,
includeRoutes bool,
) (*tailcfg.Node, error) {
var nodeKey key.NodePublic
err := nodeKey.UnmarshalText([]byte(NodePublicKeyEnsurePrefix(machine.NodeKey)))
2020-06-21 18:32:08 +08:00
if err != nil {
log.Trace().
Caller().
Str("node_key", machine.NodeKey).
Msgf("Failed to parse node public key from hex")
return nil, fmt.Errorf("failed to parse node public key: %w", err)
2020-06-21 18:32:08 +08:00
}
var machineKey key.MachinePublic
err = machineKey.UnmarshalText(
[]byte(MachinePublicKeyEnsurePrefix(machine.MachineKey)),
)
2020-06-21 18:32:08 +08:00
if err != nil {
return nil, fmt.Errorf("failed to parse machine public key: %w", err)
2020-06-21 18:32:08 +08:00
}
var discoKey key.DiscoPublic
if machine.DiscoKey != "" {
err := discoKey.UnmarshalText(
[]byte(DiscoPublicKeyEnsurePrefix(machine.DiscoKey)),
)
if err != nil {
return nil, fmt.Errorf("failed to parse disco public key: %w", err)
}
} else {
discoKey = key.DiscoPublic{}
}
2021-02-21 05:43:07 +08:00
addrs := []netaddr.IPPrefix{}
2022-01-16 21:16:59 +08:00
for _, machineAddress := range machine.IPAddresses {
ip := netaddr.IPPrefixFrom(machineAddress, machineAddress.BitLen())
addrs = append(addrs, ip)
2020-06-21 18:32:08 +08:00
}
2021-03-14 18:38:42 +08:00
2022-02-13 05:04:00 +08:00
allowedIPs := append(
[]netaddr.IPPrefix{},
addrs...) // we append the node own IP, as it is required by the clients
2021-03-14 18:38:42 +08:00
// TODO(kradalby): Needs investigation, We probably dont need this condition
// now that we dont have shared nodes
2021-09-02 22:59:03 +08:00
if includeRoutes {
allowedIPs = append(allowedIPs, machine.EnabledRoutes...)
2020-06-21 18:32:08 +08:00
}
2021-02-25 06:45:27 +08:00
var derp string
if machine.HostInfo.NetInfo != nil {
derp = fmt.Sprintf("127.3.3.40:%d", machine.HostInfo.NetInfo.PreferredDERP)
2021-02-25 06:45:27 +08:00
} else {
derp = "127.3.3.40:0" // Zero means disconnected or unknown.
}
2021-09-02 22:59:03 +08:00
var keyExpiry time.Time
if machine.Expiry != nil {
keyExpiry = *machine.Expiry
2021-09-02 22:59:03 +08:00
} else {
keyExpiry = time.Time{}
}
2021-10-05 05:49:16 +08:00
var hostname string
if dnsConfig != nil && dnsConfig.Proxied { // MagicDNS
hostname = fmt.Sprintf(
"%s.%s.%s",
machine.Name,
machine.Namespace.Name,
baseDomain,
)
if len(hostname) > maxHostnameLength {
return nil, fmt.Errorf(
"hostname %q is too long it cannot except 255 ASCII chars: %w",
hostname,
errHostnameTooLong,
)
}
2021-10-05 05:49:16 +08:00
} else {
hostname = machine.Name
2021-10-05 05:49:16 +08:00
}
hostInfo := machine.GetHostInfo()
2021-11-16 00:15:50 +08:00
node := tailcfg.Node{
ID: tailcfg.NodeID(machine.ID), // this is the actual ID
2021-10-30 23:33:01 +08:00
StableID: tailcfg.StableNodeID(
strconv.FormatUint(machine.ID, Base10),
2021-10-30 23:33:01 +08:00
), // in headscale, unlike tailcontrol server, IDs are permanent
2021-10-05 05:49:16 +08:00
Name: hostname,
User: tailcfg.UserID(machine.NamespaceID),
Key: nodeKey,
2021-09-02 22:59:03 +08:00
KeyExpiry: keyExpiry,
Machine: machineKey,
DiscoKey: discoKey,
2020-06-21 18:32:08 +08:00
Addresses: addrs,
AllowedIPs: allowedIPs,
Endpoints: machine.Endpoints,
2021-02-25 06:45:27 +08:00
DERP: derp,
2020-06-21 18:32:08 +08:00
Hostinfo: hostInfo.View(),
Created: machine.CreatedAt,
LastSeen: machine.LastSeen,
2020-06-21 18:32:08 +08:00
KeepAlive: true,
MachineAuthorized: !machine.isExpired(),
2021-09-24 15:49:29 +08:00
Capabilities: []string{tailcfg.CapabilityFileSharing},
2020-06-21 18:32:08 +08:00
}
2021-11-14 23:46:09 +08:00
2021-11-16 00:15:50 +08:00
return &node, nil
2020-06-21 18:32:08 +08:00
}
func (machine *Machine) toProto() *v1.Machine {
machineProto := &v1.Machine{
Id: machine.ID,
MachineKey: machine.MachineKey,
2022-01-16 21:16:59 +08:00
NodeKey: machine.NodeKey,
DiscoKey: machine.DiscoKey,
IpAddresses: machine.IPAddresses.ToStringSlice(),
Name: machine.Name,
Namespace: machine.Namespace.toProto(),
2022-04-16 00:27:57 +08:00
ForcedTags: machine.ForcedTags,
// TODO(kradalby): Implement register method enum converter
// RegisterMethod: ,
CreatedAt: timestamppb.New(machine.CreatedAt),
}
if machine.AuthKey != nil {
machineProto.PreAuthKey = machine.AuthKey.toProto()
}
if machine.LastSeen != nil {
machineProto.LastSeen = timestamppb.New(*machine.LastSeen)
}
if machine.LastSuccessfulUpdate != nil {
machineProto.LastSuccessfulUpdate = timestamppb.New(
*machine.LastSuccessfulUpdate,
)
}
if machine.Expiry != nil {
machineProto.Expiry = timestamppb.New(*machine.Expiry)
}
return machineProto
}
2022-04-22 05:49:21 +08:00
// getTags will return the tags of the current machine.
// Invalid tags are tags added by a user on a node, and that user doesn't have authority to add this tag.
// Valid tags are tags added by a user that is allowed in the ACL policy to add this tag.
2022-04-16 19:15:04 +08:00
func getTags(
aclPolicy *ACLPolicy,
2022-04-16 19:15:04 +08:00
machine Machine,
stripEmailDomain bool,
2022-05-16 20:59:46 +08:00
) ([]string, []string) {
validTags := make([]string, 0)
invalidTags := make([]string, 0)
if aclPolicy == nil {
2022-05-16 20:59:46 +08:00
return validTags, invalidTags
}
validTagMap := make(map[string]bool)
invalidTagMap := make(map[string]bool)
for _, tag := range machine.HostInfo.RequestTags {
owners, err := expandTagOwners(*aclPolicy, tag, stripEmailDomain)
if errors.Is(err, errInvalidTag) {
2022-04-16 19:15:04 +08:00
invalidTagMap[tag] = true
2022-04-26 04:27:44 +08:00
2022-04-26 04:07:44 +08:00
continue
}
var found bool
for _, owner := range owners {
if machine.Namespace.Name == owner {
found = true
}
}
if found {
validTagMap[tag] = true
} else {
invalidTagMap[tag] = true
}
}
for tag := range invalidTagMap {
invalidTags = append(invalidTags, tag)
}
for tag := range validTagMap {
validTags = append(validTags, tag)
}
2022-04-22 05:49:21 +08:00
return validTags, invalidTags
}
func (h *Headscale) RegisterMachineFromAuthCallback(
machineKeyStr string,
namespaceName string,
registrationMethod string,
) (*Machine, error) {
if machineInterface, ok := h.registrationCache.Get(machineKeyStr); ok {
if registrationMachine, ok := machineInterface.(Machine); ok {
namespace, err := h.GetNamespace(namespaceName)
if err != nil {
return nil, fmt.Errorf(
"failed to find namespace in register machine from auth callback, %w",
err,
)
}
registrationMachine.NamespaceID = namespace.ID
registrationMachine.RegisterMethod = registrationMethod
machine, err := h.RegisterMachine(
registrationMachine,
)
return machine, err
} else {
return nil, errCouldNotConvertMachineInterface
}
}
return nil, errMachineNotFoundRegistrationCache
}
2021-11-13 16:39:04 +08:00
// RegisterMachine is executed from the CLI to register a new Machine using its MachineKey.
func (h *Headscale) RegisterMachine(machine Machine,
) (*Machine, error) {
log.Trace().
Caller().
Str("machine_key", machine.MachineKey).
Msg("Registering machine")
log.Trace().
Caller().
Str("machine", machine.Name).
Msg("Attempting to register machine")
h.ipAllocationMutex.Lock()
defer h.ipAllocationMutex.Unlock()
2022-01-16 21:16:59 +08:00
ips, err := h.getAvailableIPs()
if err != nil {
log.Error().
Caller().
Err(err).
Str("machine", machine.Name).
Msg("Could not find IP for the new machine")
2021-11-14 23:46:09 +08:00
return nil, err
}
2022-01-16 21:16:59 +08:00
machine.IPAddresses = ips
2022-05-31 16:05:00 +08:00
if err := h.db.Save(&machine).Error; err != nil {
2022-05-30 21:31:06 +08:00
return nil, fmt.Errorf("failed register(save) machine in the database: %w", err)
}
log.Trace().
Caller().
Str("machine", machine.Name).
2022-01-16 21:16:59 +08:00
Str("ip", strings.Join(ips.ToStringSlice(), ",")).
Msg("Machine registered with the database")
return &machine, nil
}
func (machine *Machine) GetAdvertisedRoutes() []netaddr.IPPrefix {
return machine.HostInfo.RoutableIPs
}
func (machine *Machine) GetEnabledRoutes() []netaddr.IPPrefix {
return machine.EnabledRoutes
}
func (machine *Machine) IsRoutesEnabled(routeStr string) bool {
route, err := netaddr.ParseIPPrefix(routeStr)
if err != nil {
return false
}
enabledRoutes := machine.GetEnabledRoutes()
for _, enabledRoute := range enabledRoutes {
if route == enabledRoute {
return true
}
}
2021-11-14 23:46:09 +08:00
return false
}
// EnableNodeRoute enables new routes based on a list of new routes. It will _replace_ the
// previous list of routes.
func (h *Headscale) EnableRoutes(machine *Machine, routeStrs ...string) error {
newRoutes := make([]netaddr.IPPrefix, len(routeStrs))
for index, routeStr := range routeStrs {
route, err := netaddr.ParseIPPrefix(routeStr)
if err != nil {
return err
}
newRoutes[index] = route
}
for _, newRoute := range newRoutes {
if !contains(machine.GetAdvertisedRoutes(), newRoute) {
2021-11-13 16:36:45 +08:00
return fmt.Errorf(
2021-11-16 03:18:14 +08:00
"route (%s) is not available on node %s: %w",
machine.Name,
2021-11-16 03:18:14 +08:00
newRoute, errMachineRouteIsNotAvailable,
2021-11-13 16:36:45 +08:00
)
}
}
machine.EnabledRoutes = newRoutes
2022-05-30 21:31:06 +08:00
if err := h.db.Save(machine).Error; err != nil {
return fmt.Errorf("failed enable routes for machine in the database: %w", err)
}
return nil
}
func (machine *Machine) RoutesToProto() *v1.Routes {
availableRoutes := machine.GetAdvertisedRoutes()
enabledRoutes := machine.GetEnabledRoutes()
return &v1.Routes{
AdvertisedRoutes: ipPrefixToString(availableRoutes),
EnabledRoutes: ipPrefixToString(enabledRoutes),
}
}