headscale/namespaces.go

328 lines
7.5 KiB
Go
Raw Normal View History

package headscale
import (
"encoding/json"
2021-06-24 21:44:19 +08:00
"errors"
"fmt"
"strconv"
"time"
v1 "github.com/juanfont/headscale/gen/go/headscale/v1"
2021-08-06 01:23:02 +08:00
"github.com/rs/zerolog/log"
"google.golang.org/protobuf/types/known/timestamppb"
2021-06-24 21:44:19 +08:00
"gorm.io/gorm"
"tailscale.com/tailcfg"
)
const (
errorNamespaceExists = Error("Namespace already exists")
errorNamespaceNotFound = Error("Namespace not found")
errorNamespaceNotEmptyOfNodes = Error("Namespace not empty: node(s) found")
)
// Namespace is the way Headscale implements the concept of users in Tailscale
//
// At the end of the day, users in Tailscale are some kind of 'bubbles' or namespaces
// that contain our machines.
type Namespace struct {
gorm.Model
Name string `gorm:"unique"`
}
// CreateNamespace creates a new Namespace. Returns error if could not be created
2021-11-13 16:39:04 +08:00
// or another namespace already exists.
func (h *Headscale) CreateNamespace(name string) (*Namespace, error) {
n := Namespace{}
2021-07-05 03:40:46 +08:00
if err := h.db.Where("name = ?", name).First(&n).Error; err == nil {
return nil, errorNamespaceExists
}
n.Name = name
2021-07-05 03:40:46 +08:00
if err := h.db.Create(&n).Error; err != nil {
2021-08-06 01:23:02 +08:00
log.Error().
2021-08-06 03:57:47 +08:00
Str("func", "CreateNamespace").
2021-08-06 01:23:02 +08:00
Err(err).
Msg("Could not create row")
2021-11-14 23:46:09 +08:00
return nil, err
}
2021-11-14 23:46:09 +08:00
return &n, nil
}
// DestroyNamespace destroys a Namespace. Returns error if the Namespace does
// not exist or if there are machines associated with it.
func (h *Headscale) DestroyNamespace(name string) error {
n, err := h.GetNamespace(name)
if err != nil {
return errorNamespaceNotFound
}
m, err := h.ListMachinesInNamespace(name)
if err != nil {
return err
}
if len(m) > 0 {
return errorNamespaceNotEmptyOfNodes
}
keys, err := h.ListPreAuthKeys(name)
if err != nil {
return err
}
for _, p := range keys {
2021-11-14 04:24:32 +08:00
err = h.DestroyPreAuthKey(&p)
if err != nil {
return err
}
}
2021-07-05 03:40:46 +08:00
if result := h.db.Unscoped().Delete(&n); result.Error != nil {
return result.Error
}
return nil
}
2021-10-16 23:20:06 +08:00
// RenameNamespace renames a Namespace. Returns error if the Namespace does
// not exist or if another Namespace exists with the new name.
func (h *Headscale) RenameNamespace(oldName, newName string) error {
n, err := h.GetNamespace(oldName)
if err != nil {
return err
}
_, err = h.GetNamespace(newName)
if err == nil {
return errorNamespaceExists
}
if !errors.Is(err, errorNamespaceNotFound) {
return err
}
n.Name = newName
if result := h.db.Save(&n); result.Error != nil {
return result.Error
}
err = h.RequestMapUpdates(n.ID)
if err != nil {
return err
}
return nil
}
2021-11-13 16:39:04 +08:00
// GetNamespace fetches a namespace by name.
func (h *Headscale) GetNamespace(name string) (*Namespace, error) {
n := Namespace{}
2021-11-13 16:36:45 +08:00
if result := h.db.First(&n, "name = ?", name); errors.Is(
result.Error,
gorm.ErrRecordNotFound,
) {
return nil, errorNamespaceNotFound
}
2021-11-14 23:46:09 +08:00
return &n, nil
}
2021-11-13 16:39:04 +08:00
// ListNamespaces gets all the existing namespaces.
func (h *Headscale) ListNamespaces() ([]Namespace, error) {
namespaces := []Namespace{}
2021-07-05 03:40:46 +08:00
if err := h.db.Find(&namespaces).Error; err != nil {
return nil, err
}
2021-11-14 23:46:09 +08:00
return namespaces, nil
}
2021-11-13 16:39:04 +08:00
// ListMachinesInNamespace gets all the nodes in a given namespace.
func (h *Headscale) ListMachinesInNamespace(name string) ([]Machine, error) {
n, err := h.GetNamespace(name)
if err != nil {
return nil, err
}
machines := []Machine{}
if err := h.db.Preload("AuthKey").Preload("AuthKey.Namespace").Preload("Namespace").Where(&Machine{NamespaceID: n.ID}).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
// ListSharedMachinesInNamespace returns all the machines that are shared to the specified namespace.
func (h *Headscale) ListSharedMachinesInNamespace(name string) ([]Machine, error) {
namespace, err := h.GetNamespace(name)
if err != nil {
return nil, err
}
sharedMachines := []SharedMachine{}
if err := h.db.Preload("Namespace").Where(&SharedMachine{NamespaceID: namespace.ID}).Find(&sharedMachines).Error; err != nil {
return nil, err
}
machines := []Machine{}
for _, sharedMachine := range sharedMachines {
2021-11-13 16:36:45 +08:00
machine, err := h.GetMachineByID(
sharedMachine.MachineID,
) // otherwise not everything comes filled
if err != nil {
return nil, err
}
machines = append(machines, *machine)
}
2021-11-14 23:46:09 +08:00
return machines, nil
}
2021-11-13 16:39:04 +08:00
// SetMachineNamespace assigns a Machine to a namespace.
func (h *Headscale) SetMachineNamespace(m *Machine, namespaceName string) error {
n, err := h.GetNamespace(namespaceName)
if err != nil {
return err
}
m.NamespaceID = n.ID
2021-07-05 03:40:46 +08:00
h.db.Save(&m)
2021-11-14 23:46:09 +08:00
return nil
}
2021-11-13 16:39:04 +08:00
// RequestMapUpdates signals the KV worker to update the maps for this namespace.
func (h *Headscale) RequestMapUpdates(namespaceID uint) error {
namespace := Namespace{}
if err := h.db.First(&namespace, namespaceID).Error; err != nil {
return err
}
v, err := h.getValue("namespaces_pending_updates")
if err != nil || v == "" {
2021-11-13 16:36:45 +08:00
err = h.setValue(
"namespaces_pending_updates",
fmt.Sprintf(`["%s"]`, namespace.Name),
)
if err != nil {
return err
}
2021-11-14 23:46:09 +08:00
return nil
}
names := []string{}
err = json.Unmarshal([]byte(v), &names)
if err != nil {
2021-11-13 16:36:45 +08:00
err = h.setValue(
"namespaces_pending_updates",
fmt.Sprintf(`["%s"]`, namespace.Name),
)
if err != nil {
return err
}
2021-11-14 23:46:09 +08:00
return nil
}
names = append(names, namespace.Name)
data, err := json.Marshal(names)
if err != nil {
2021-08-06 01:23:02 +08:00
log.Error().
2021-08-06 03:57:47 +08:00
Str("func", "RequestMapUpdates").
2021-08-06 01:23:02 +08:00
Err(err).
Msg("Could not marshal namespaces_pending_updates")
2021-11-14 23:46:09 +08:00
return err
}
2021-11-14 23:46:09 +08:00
return h.setValue("namespaces_pending_updates", string(data))
}
func (h *Headscale) checkForNamespacesPendingUpdates() {
v, err := h.getValue("namespaces_pending_updates")
if err != nil {
return
}
if v == "" {
return
}
namespaces := []string{}
err = json.Unmarshal([]byte(v), &namespaces)
if err != nil {
return
}
for _, namespace := range namespaces {
2021-08-06 01:23:02 +08:00
log.Trace().
2021-08-06 03:57:47 +08:00
Str("func", "RequestMapUpdates").
Str("machine", namespace).
Msg("Sending updates to nodes in namespacespace")
h.setLastStateChangeToNow(namespace)
}
newV, err := h.getValue("namespaces_pending_updates")
if err != nil {
return
}
if v == newV { // only clear when no changes, so we notified everybody
err = h.setValue("namespaces_pending_updates", "")
if err != nil {
2021-08-06 01:23:02 +08:00
log.Error().
2021-08-06 03:57:47 +08:00
Str("func", "checkForNamespacesPendingUpdates").
2021-08-06 01:23:02 +08:00
Err(err).
Msg("Could not save to KV")
2021-11-14 23:46:09 +08:00
return
}
}
}
func (n *Namespace) toUser() *tailcfg.User {
u := tailcfg.User{
ID: tailcfg.UserID(n.ID),
LoginName: n.Name,
DisplayName: n.Name,
ProfilePicURL: "",
Domain: "headscale.net",
Logins: []tailcfg.LoginID{},
Created: time.Time{},
}
2021-11-14 23:46:09 +08:00
return &u
}
func (n *Namespace) toLogin() *tailcfg.Login {
l := tailcfg.Login{
ID: tailcfg.LoginID(n.ID),
LoginName: n.Name,
DisplayName: n.Name,
ProfilePicURL: "",
Domain: "headscale.net",
}
2021-11-14 23:46:09 +08:00
return &l
}
2021-10-19 22:26:18 +08:00
func getMapResponseUserProfiles(m Machine, peers Machines) []tailcfg.UserProfile {
namespaceMap := make(map[string]Namespace)
namespaceMap[m.Namespace.Name] = m.Namespace
for _, p := range peers {
namespaceMap[p.Namespace.Name] = p.Namespace // not worth checking if already is there
}
profiles := []tailcfg.UserProfile{}
for _, namespace := range namespaceMap {
profiles = append(profiles,
tailcfg.UserProfile{
ID: tailcfg.UserID(namespace.ID),
LoginName: namespace.Name,
DisplayName: namespace.Name,
})
}
2021-11-14 23:46:09 +08:00
return profiles
}
func (n *Namespace) toProto() *v1.Namespace {
return &v1.Namespace{
Id: strconv.FormatUint(uint64(n.ID), 10),
Name: n.Name,
CreatedAt: timestamppb.New(n.CreatedAt),
}
}