1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378 1379 1380 1381 1382 1383 1384 1385 1386 1387 1388 1389 1390 1391 1392 1393 1394 1395 1396 1397 1398 1399 1400 1401 1402 1403 1404 1405 1406 1407 1408 1409 1410 1411 1412 1413 1414 1415 1416 1417 1418 1419 1420 1421 1422 1423 1424 1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438 1439 1440 1441 1442 1443 1444 1445 1446 1447 1448 1449 1450 1451 1452 1453 1454 1455 1456 1457 1458 1459 1460 1461 1462 1463 1464 1465 1466 1467 1468 1469 1470 1471 1472 1473 1474 1475 1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490 1491 1492 1493 1494 1495 1496 1497 1498 1499 1500 1501 1502 1503 1504 1505 1506 1507 1508 1509 1510 1511 1512 1513 1514 1515 1516 1517 1518 1519 1520 1521 1522 1523 1524 1525 1526 1527 1528 1529 1530 1531 1532 1533 1534 1535 1536 1537 1538 1539 1540 1541 1542 1543 1544 1545 1546 1547 1548 1549 1550 1551 1552 1553 1554 1555 1556 1557 1558 1559 1560 1561 1562 1563 1564 1565 1566
|
package network
import (
"bufio"
"bytes"
"context"
cryptoRand "crypto/rand"
"encoding/hex"
"errors"
"fmt"
"io/fs"
"math/big"
"math/rand"
"net"
"net/netip"
"os"
"slices"
"strconv"
"strings"
"sync"
"time"
"github.com/lxc/incus/v6/internal/iprange"
"github.com/lxc/incus/v6/internal/server/db"
"github.com/lxc/incus/v6/internal/server/db/cluster"
deviceConfig "github.com/lxc/incus/v6/internal/server/device/config"
"github.com/lxc/incus/v6/internal/server/device/nictype"
"github.com/lxc/incus/v6/internal/server/dnsmasq"
"github.com/lxc/incus/v6/internal/server/dnsmasq/dhcpalloc"
"github.com/lxc/incus/v6/internal/server/instance"
"github.com/lxc/incus/v6/internal/server/instance/instancetype"
"github.com/lxc/incus/v6/internal/server/ip"
"github.com/lxc/incus/v6/internal/server/project"
"github.com/lxc/incus/v6/internal/server/state"
localUtil "github.com/lxc/incus/v6/internal/server/util"
internalUtil "github.com/lxc/incus/v6/internal/util"
"github.com/lxc/incus/v6/internal/version"
"github.com/lxc/incus/v6/shared/api"
"github.com/lxc/incus/v6/shared/logger"
"github.com/lxc/incus/v6/shared/subprocess"
"github.com/lxc/incus/v6/shared/util"
"github.com/lxc/incus/v6/shared/validate"
)
func networkValidPort(value string) error {
if value == "" {
return nil
}
valueInt, err := strconv.ParseInt(value, 10, 64)
if err != nil {
return fmt.Errorf("Invalid value for an integer: %s", value)
}
if valueInt < 1 || valueInt > 65536 {
return fmt.Errorf("Invalid port number: %s", value)
}
return nil
}
// RandomDevName returns a random device name with prefix.
// If the random string combined with the prefix exceeds 13 characters then empty string is returned.
// This is to ensure we support buggy dhclient applications: https://bugs.debian.org/cgi-bin/bugreport.cgi?bug=858580
func RandomDevName(prefix string) string {
// Return a new random veth device name.
randBytes := make([]byte, 4)
_, _ = cryptoRand.Read(randBytes)
iface := prefix + hex.EncodeToString(randBytes)
if len(iface) > 13 {
return ""
}
return iface
}
// MACDevName returns interface name with prefix 'inc' and MAC without leading 2 digits.
func MACDevName(mac net.HardwareAddr) string {
devName := strings.Join(strings.Split(mac.String(), ":"), "")
return fmt.Sprintf("inc%s", devName[2:])
}
// UsedByInstanceDevices looks for instance NIC devices using the network and runs the supplied usageFunc for each.
// Accepts optional filter arguments to specify a subset of instances.
func UsedByInstanceDevices(s *state.State, networkProjectName string, networkName string, networkType string, usageFunc func(inst db.InstanceArgs, nicName string, nicConfig map[string]string) error, filters ...cluster.InstanceFilter) error {
// Get the instances.
projects := map[string]api.Project{}
instances := []db.InstanceArgs{}
err := s.DB.Cluster.Transaction(context.TODO(), func(ctx context.Context, tx *db.ClusterTx) error {
return tx.InstanceList(ctx, func(inst db.InstanceArgs, p api.Project) error {
projects[inst.Project] = p
instances = append(instances, inst)
return nil
}, filters...)
})
if err != nil {
return err
}
// Go through the instances and run usageFunc.
for _, inst := range instances {
p := projects[inst.Project]
// Get the instance's effective network project name.
instNetworkProject := project.NetworkProjectFromRecord(&p)
// Skip instances who's effective network project doesn't match this Network's project.
if instNetworkProject != networkProjectName {
return nil
}
// Look for NIC devices using this network.
devices := db.ExpandInstanceDevices(inst.Devices.Clone(), inst.Profiles)
for devName, devConfig := range devices {
if isInUseByDevice(networkName, networkType, devConfig) {
err := usageFunc(inst, devName, devConfig)
if err != nil {
return err
}
}
}
}
return nil
}
// UsedBy returns list of API resources using network. Accepts firstOnly argument to indicate that only the first
// resource using network should be returned. This can help to quickly check if the network is in use.
func UsedBy(s *state.State, networkProjectName string, networkID int64, networkName string, networkType string, firstOnly bool) ([]string, error) {
var err error
var usedBy []string
// If managed network being passed in, check if it has any peerings in a created state.
if networkID > 0 {
var peers map[int64]*api.NetworkPeer
err := s.DB.Cluster.Transaction(context.TODO(), func(ctx context.Context, tx *db.ClusterTx) error {
// Use generated function to get peers.
filter := cluster.NetworkPeerFilter{NetworkID: &networkID}
dbPeers, err := cluster.GetNetworkPeers(ctx, tx.Tx(), filter)
if err != nil {
return fmt.Errorf("Failed loading network peer DB objects: %w", err)
}
// Convert DB objects to API objects and build the map.
peers = make(map[int64]*api.NetworkPeer, len(dbPeers))
for _, dbPeer := range dbPeers {
peer, err := dbPeer.ToAPI(ctx, tx.Tx())
if err != nil {
// Log the error but continue, as one peer failing shouldn't stop the whole check.
logger.Error("Failed converting network peer DB object to API object", logger.Ctx{"peerID": dbPeer.ID, "err": err})
continue
}
peers[dbPeer.ID] = peer
}
return nil
})
if err != nil {
return nil, fmt.Errorf("Failed getting network peers: %w", err)
}
for _, peer := range peers {
if peer.Status == api.NetworkStatusCreated {
// Add the target project/network of the peering as using this network.
usedBy = append(usedBy, api.NewURL().Path(version.APIVersion, "networks", peer.TargetNetwork).Project(peer.TargetProject).String())
if firstOnly {
return usedBy, nil
}
}
}
}
// Only networks defined in the default project can be used by other networks. Cheapest to do.
if networkProjectName == api.ProjectDefaultName {
// Get all managed networks across all projects.
var projectNetworks map[string]map[int64]api.Network
err = s.DB.Cluster.Transaction(context.TODO(), func(ctx context.Context, tx *db.ClusterTx) error {
projectNetworks, err = tx.GetCreatedNetworks(ctx)
return err
})
if err != nil {
return nil, fmt.Errorf("Failed to load all networks: %w", err)
}
for projectName, networks := range projectNetworks {
for _, network := range networks {
if networkName == network.Name && networkProjectName == projectName {
continue // Skip ourselves.
}
// The network's config references the network we are searching for. Either by
// directly referencing our network or by referencing our interface as its parent.
if network.Config["network"] == networkName || network.Config["parent"] == networkName {
usedBy = append(usedBy, api.NewURL().Path(version.APIVersion, "networks", network.Name).Project(projectName).String())
if firstOnly {
return usedBy, nil
}
}
}
}
}
// Look for profiles. Next cheapest to do.
err = s.DB.Cluster.Transaction(context.TODO(), func(ctx context.Context, tx *db.ClusterTx) error {
// Get all profiles
profiles, err := cluster.GetProfiles(ctx, tx.Tx())
if err != nil {
return err
}
// Get all the profile devices.
profileDevices, err := cluster.GetAllProfileDevices(ctx, tx.Tx())
if err != nil {
return err
}
for _, profile := range profiles {
profileProject, err := cluster.GetProject(ctx, tx.Tx(), profile.Project)
if err != nil {
return err
}
apiProfileProject, err := profileProject.ToAPI(ctx, tx.Tx())
if err != nil {
return err
}
devices := map[string]cluster.Device{}
for _, dev := range profileDevices[profile.ID] {
devices[dev.Name] = dev
}
inUse, err := usedByProfileDevices(s, devices, apiProfileProject, networkProjectName, networkName, networkType)
if err != nil {
return err
}
if inUse {
usedBy = append(usedBy, api.NewURL().Path(version.APIVersion, "profiles", profile.Name).Project(profile.Project).String())
if firstOnly {
return nil
}
}
}
return nil
})
if err != nil {
return nil, err
}
// Check if any instance devices use this network.
err = UsedByInstanceDevices(s, networkProjectName, networkName, networkType, func(inst db.InstanceArgs, nicName string, nicConfig map[string]string) error {
usedBy = append(usedBy, api.NewURL().Path(version.APIVersion, "instances", inst.Name).Project(inst.Project).String())
if firstOnly {
// No need to consider other devices.
return db.ErrInstanceListStop
}
return nil
})
if err != nil {
if errors.Is(err, db.ErrInstanceListStop) {
return usedBy, nil
}
return nil, err
}
return usedBy, nil
}
// usedByProfileDevices indicates if network is referenced by a profile's NIC devices.
// Checks if the device's parent or network properties match the network name.
func usedByProfileDevices(s *state.State, profileDevices map[string]cluster.Device, profileProject *api.Project, networkProjectName string, networkName string, networkType string) (bool, error) {
// Get the translated network project name from the profiles's project.
// Skip profiles who's translated network project doesn't match the requested network's project.
// Because its devices can't be using this network.
profileNetworkProjectName := project.NetworkProjectFromRecord(profileProject)
if networkProjectName != profileNetworkProjectName {
return false, nil
}
for _, d := range deviceConfig.NewDevices(cluster.DevicesToAPI(profileDevices)) {
if isInUseByDevice(networkName, networkType, d) {
return true, nil
}
}
return false, nil
}
// isInUseByDevices inspects a device's config to find references for a network being used.
func isInUseByDevice(networkName string, networkType string, d deviceConfig.Device) bool {
if d["type"] != "nic" {
return false
}
if d["network"] != "" && d["network"] == networkName {
return true
}
// OVN networks can only use managed networks.
if networkType == "ovn" {
return false
}
if d["parent"] != "" && GetHostDevice(d["parent"], d["vlan"]) == networkName {
return true
}
return false
}
// GetDevMTU retrieves the current MTU setting for a named network device.
func GetDevMTU(devName string) (uint32, error) {
content, err := os.ReadFile(fmt.Sprintf("/sys/class/net/%s/mtu", devName))
if err != nil {
return 0, err
}
// Parse value
mtu, err := strconv.ParseUint(strings.TrimSpace(string(content)), 10, 32)
if err != nil {
return 0, err
}
return uint32(mtu), nil
}
// GetTXQueueLength retrieves the current txqlen setting for a named network device.
func GetTXQueueLength(devName string) (uint32, error) {
content, err := os.ReadFile(fmt.Sprintf("/sys/class/net/%s/tx_queue_len", devName))
if err != nil {
return 0, err
}
// Parse value
txqlen, err := strconv.ParseUint(strings.TrimSpace(string(content)), 10, 32)
if err != nil {
return 0, err
}
return uint32(txqlen), nil
}
// DefaultGatewaySubnetV4 returns subnet of default gateway interface.
func DefaultGatewaySubnetV4() (*net.IPNet, string, error) {
file, err := os.Open("/proc/net/route")
if err != nil {
return nil, "", err
}
defer func() { _ = file.Close() }()
ifaceName := ""
scanner := bufio.NewReader(file)
for {
line, _, err := scanner.ReadLine()
if err != nil {
break
}
fields := strings.Fields(string(line))
if fields[1] == "00000000" && fields[7] == "00000000" {
ifaceName = fields[0]
break
}
}
if ifaceName == "" {
return nil, "", errors.New("No default gateway for IPv4")
}
iface, err := net.InterfaceByName(ifaceName)
if err != nil {
return nil, "", err
}
addrs, err := iface.Addrs()
if err != nil {
return nil, "", err
}
var subnet *net.IPNet
for _, addr := range addrs {
addrIP, addrNet, err := net.ParseCIDR(addr.String())
if err != nil {
return nil, "", err
}
if addrIP.To4() == nil {
continue
}
if subnet != nil {
return nil, "", errors.New("More than one IPv4 subnet on default interface")
}
subnet = addrNet
}
if subnet == nil {
return nil, "", errors.New("No IPv4 subnet on default interface")
}
return subnet, ifaceName, nil
}
// UpdateDNSMasqStatic rebuilds the DNSMasq static allocations.
func UpdateDNSMasqStatic(s *state.State, networkName string) error {
// We don't want to race with ourselves here.
dnsmasq.ConfigMutex.Lock()
defer dnsmasq.ConfigMutex.Unlock()
// Get all the networks.
var networks []string
if networkName == "" {
var err error
err = s.DB.Cluster.Transaction(context.TODO(), func(ctx context.Context, tx *db.ClusterTx) error {
// Pass api.ProjectDefaultName here, as currently dnsmasq (bridged) networks do not support projects.
networks, err = tx.GetNetworks(ctx, api.ProjectDefaultName)
return err
})
if err != nil {
return err
}
} else {
networks = []string{networkName}
}
// Get all the instances.
insts, err := instance.LoadNodeAll(s, instancetype.Any)
if err != nil {
return err
}
// Build a list of dhcp host entries.
entries := map[string][][]string{}
for _, inst := range insts {
// Go through all its devices (including profiles).
for deviceName, d := range inst.ExpandedDevices() {
// Skip uninteresting entries.
if d["type"] != "nic" {
continue
}
nicType, err := nictype.NICType(s, inst.Project().Name, d)
if err != nil || nicType != "bridged" {
continue
}
// Temporarily populate parent from network setting if used.
if d["network"] != "" {
d["parent"] = d["network"]
}
// Skip devices not connected to managed networks.
if !slices.Contains(networks, d["parent"]) {
continue
}
// Fill in the hwaddr from volatile.
d, err = inst.FillNetworkDevice(deviceName, d)
if err != nil {
continue
}
// Add the new host entries.
_, ok := entries[d["parent"]]
if !ok {
entries[d["parent"]] = [][]string{}
}
if (util.IsTrue(d["security.ipv4_filtering"]) && d["ipv4.address"] == "") || (util.IsTrue(d["security.ipv6_filtering"]) && d["ipv6.address"] == "") {
deviceStaticFileName := dnsmasq.StaticAllocationFileName(inst.Project().Name, inst.Name(), deviceName)
_, curIPv4, curIPv6, err := dnsmasq.DHCPStaticAllocation(d["parent"], deviceStaticFileName)
if err != nil && !errors.Is(err, fs.ErrNotExist) {
return err
}
if d["ipv4.address"] == "" && curIPv4.IP != nil {
d["ipv4.address"] = curIPv4.IP.String()
}
if d["ipv6.address"] == "" && curIPv6.IP != nil {
d["ipv6.address"] = curIPv6.IP.String()
}
}
entries[d["parent"]] = append(entries[d["parent"]], []string{d["hwaddr"], inst.Project().Name, inst.Name(), d["ipv4.address"], d["ipv6.address"], deviceName})
}
}
// Update the host files.
for _, network := range networks {
entries := entries[network]
// Skip networks we don't manage (or don't have DHCP enabled).
if !util.PathExists(internalUtil.VarPath("networks", network, "dnsmasq.pid")) {
continue
}
// Pass api.ProjectDefaultName here, as currently dnsmasq (bridged) networks do not support projects.
n, err := LoadByName(s, api.ProjectDefaultName, network)
if err != nil {
return fmt.Errorf("Failed to load network %q in project %q for dnsmasq update: %w", api.ProjectDefaultName, network, err)
}
config := n.Config()
// Wipe everything clean.
files, err := os.ReadDir(internalUtil.VarPath("networks", network, "dnsmasq.hosts"))
if err != nil {
return err
}
for _, entry := range files {
err = os.Remove(internalUtil.VarPath("networks", network, "dnsmasq.hosts", entry.Name()))
if err != nil {
return err
}
}
// Apply the changes.
for entryIdx, entry := range entries {
hwaddr := entry[0]
projectName := entry[1]
cName := entry[2]
ipv4Address := entry[3]
ipv6Address := entry[4]
deviceName := entry[5]
line := hwaddr
// Look for duplicates.
duplicate := false
for iIdx, i := range entries {
if project.Instance(entry[1], entry[2]) == project.Instance(i[1], i[2]) {
// Skip ourselves.
continue
}
if entry[0] == i[0] {
// Find broken configurations
logger.Errorf("Duplicate MAC detected: %s and %s", project.Instance(entry[1], entry[2]), project.Instance(i[1], i[2]))
}
if i[3] == "" && i[4] == "" {
// Skip unconfigured.
continue
}
if entry[3] == i[3] && entry[4] == i[4] {
// Find identical containers (copies with static configuration).
if entryIdx > iIdx {
duplicate = true
} else {
line = fmt.Sprintf("%s,%s", line, i[0])
logger.Debugf("Found containers with duplicate IPv4/IPv6: %s and %s", project.Instance(entry[1], entry[2]), project.Instance(i[1], i[2]))
}
}
}
if duplicate {
continue
}
// Generate the dhcp-host line.
err := dnsmasq.UpdateStaticEntry(network, projectName, cName, deviceName, config, hwaddr, ipv4Address, ipv6Address)
if err != nil {
return err
}
}
// Signal dnsmasq.
err = dnsmasq.Kill(network, true)
if err != nil {
return err
}
}
return nil
}
func randomSubnetV4() (string, error) {
for range 100 {
cidr := fmt.Sprintf("10.%d.%d.1/24", rand.Intn(255), rand.Intn(255))
_, subnet, err := net.ParseCIDR(cidr)
if err != nil {
continue
}
if inRoutingTable(subnet) {
continue
}
if pingSubnet(subnet) {
continue
}
return cidr, nil
}
return "", errors.New("Failed to automatically find an unused IPv4 subnet, manual configuration required")
}
func randomSubnetV6() (string, error) {
for range 100 {
cidr := fmt.Sprintf("fd42:%x:%x:%x::1/64", rand.Intn(65535), rand.Intn(65535), rand.Intn(65535))
_, subnet, err := net.ParseCIDR(cidr)
if err != nil {
continue
}
if inRoutingTable(subnet) {
continue
}
if pingSubnet(subnet) {
continue
}
return cidr, nil
}
return "", errors.New("Failed to automatically find an unused IPv6 subnet, manual configuration required")
}
func inRoutingTable(subnet *net.IPNet) bool {
filename := "route"
if subnet.IP.To4() == nil {
filename = "ipv6_route"
}
file, err := os.Open(fmt.Sprintf("/proc/net/%s", filename))
if err != nil {
return false
}
defer func() { _ = file.Close() }()
scanner := bufio.NewReader(file)
for {
line, _, err := scanner.ReadLine()
if err != nil {
break
}
fields := strings.Fields(string(line))
// Get the IP
var ip net.IP
if filename == "ipv6_route" {
ip, err = hex.DecodeString(fields[0])
if err != nil {
continue
}
} else {
bytes, err := hex.DecodeString(fields[1])
if err != nil {
continue
}
ip = net.IPv4(bytes[3], bytes[2], bytes[1], bytes[0])
}
// Get the mask
var mask net.IPMask
if filename == "ipv6_route" {
size, err := strconv.ParseInt(fields[1], 16, 0)
if err != nil {
continue
}
mask = net.CIDRMask(int(size), 128)
} else {
bytes, err := hex.DecodeString(fields[7])
if err != nil {
continue
}
mask = net.IPv4Mask(bytes[3], bytes[2], bytes[1], bytes[0])
}
// Generate a new network
lineNet := net.IPNet{IP: ip, Mask: mask}
// Ignore default gateway
if lineNet.IP.Equal(net.ParseIP("::")) {
continue
}
if lineNet.IP.Equal(net.ParseIP("0.0.0.0")) {
continue
}
// Check if we have a route to our new subnet
if lineNet.Contains(subnet.IP) {
return true
}
}
return false
}
// pingIP sends a single ping packet to the specified IP, returns nil error if IP is reachable.
// If ctx doesn't have a deadline then the default timeout used is 1s.
func pingIP(ctx context.Context, ip net.IP) error {
cmd := "ping"
if ip.To4() == nil {
cmd = "ping6"
}
timeout := time.Second * 1
deadline, ok := ctx.Deadline()
if ok {
timeout = time.Until(deadline)
}
_, err := subprocess.RunCommandContext(ctx, cmd, "-n", "-q", ip.String(), "-c", "1", "-w", fmt.Sprintf("%d", int(timeout.Seconds())))
return err
}
func pingSubnet(subnet *net.IPNet) bool {
var fail bool
var failLock sync.Mutex
var wgChecks sync.WaitGroup
ping := func(ip net.IP) {
defer wgChecks.Done()
if pingIP(context.TODO(), ip) != nil {
return
}
// Remote answered
failLock.Lock()
fail = true
failLock.Unlock()
}
poke := func(ip net.IP) {
defer wgChecks.Done()
addr := fmt.Sprintf("%s:22", ip.String())
if ip.To4() == nil {
addr = fmt.Sprintf("[%s]:22", ip.String())
}
_, err := net.DialTimeout("tcp", addr, time.Second)
if err == nil {
// Remote answered
failLock.Lock()
fail = true
failLock.Unlock()
return
}
}
// Ping first IP
wgChecks.Add(1)
go ping(dhcpalloc.GetIP(subnet, 1))
// Poke port on first IP
wgChecks.Add(1)
go poke(dhcpalloc.GetIP(subnet, 1))
// Ping check
if subnet.IP.To4() != nil {
// Ping last IP
wgChecks.Add(1)
go ping(dhcpalloc.GetIP(subnet, -2))
// Poke port on last IP
wgChecks.Add(1)
go poke(dhcpalloc.GetIP(subnet, -2))
}
wgChecks.Wait()
return fail
}
// GetHostDevice returns the interface name to use for a combination of parent device name and VLAN ID.
// If no vlan ID supplied, parent name is returned unmodified. If non-empty VLAN ID is supplied then it will look
// for an existing VLAN device and return that, otherwise it will return the default "parent.vlan" format as name.
func GetHostDevice(parent string, vlan string) string {
// If no VLAN, just use the raw device
if vlan == "" {
return parent
}
// If no VLANs are configured, use the default pattern.
defaultVlan := fmt.Sprintf("%s.%s", parent, vlan)
// Handle long interface names.
if len(defaultVlan) > 15 {
defaultVlan = fmt.Sprintf("incus-vlan-%s", vlan)
}
if !util.PathExists("/proc/net/vlan/config") {
return defaultVlan
}
// Look for an existing VLAN
f, err := os.Open("/proc/net/vlan/config")
if err != nil {
return defaultVlan
}
defer func() { _ = f.Close() }()
scanner := bufio.NewScanner(f)
for scanner.Scan() {
// Only grab the lines we're interested in
s := strings.Split(scanner.Text(), "|")
if len(s) != 3 {
continue
}
vlanIface := strings.TrimSpace(s[0])
vlanID := strings.TrimSpace(s[1])
vlanParent := strings.TrimSpace(s[2])
if vlanParent == parent && vlanID == vlan {
return vlanIface
}
}
// Return the default pattern
return defaultVlan
}
// GetNeighbourIPs returns the IP addresses in the neighbour cache for a particular interface and MAC.
func GetNeighbourIPs(interfaceName string, hwaddr net.HardwareAddr) ([]ip.Neigh, error) {
if hwaddr == nil {
return nil, nil
}
neigh := &ip.Neigh{DevName: interfaceName, MAC: hwaddr}
neighbours, err := neigh.Show()
if err != nil {
return nil, fmt.Errorf("Failed to get IP neighbours for interface %q: %w", interfaceName, err)
}
return neighbours, nil
}
// GetLeaseAddresses returns the lease addresses for a network and hwaddr.
func GetLeaseAddresses(networkName string, hwaddr string) ([]net.IP, error) {
leaseFile := internalUtil.VarPath("networks", networkName, "dnsmasq.leases")
if !util.PathExists(leaseFile) {
return nil, fmt.Errorf("Leases file not found for network %q", networkName)
}
content, err := os.ReadFile(leaseFile)
if err != nil {
return nil, err
}
addresses := []net.IP{}
for _, lease := range strings.Split(string(content), "\n") {
fields := strings.Fields(lease)
if len(fields) < 5 {
continue
}
// Parse the MAC.
mac := GetMACSlice(fields[1])
macStr := strings.Join(mac, ":")
if len(macStr) < 17 && fields[4] != "" {
macStr = fields[4][len(fields[4])-17:]
}
if macStr != hwaddr {
continue
}
// Parse the IP.
ip := net.ParseIP(fields[2])
if ip != nil {
addresses = append(addresses, ip)
}
}
return addresses, nil
}
// GetMACSlice parses MAC address.
func GetMACSlice(hwaddr string) []string {
var buf []string
if !strings.Contains(hwaddr, ":") {
s, err := strconv.ParseUint(hwaddr, 10, 64)
if err == nil {
hwaddr = fmt.Sprintf("%x\n", s)
var tuple string
for i, r := range hwaddr {
tuple = tuple + string(r)
if i > 0 && (i+1)%2 == 0 {
buf = append(buf, tuple)
tuple = ""
}
}
}
} else {
buf = strings.Split(strings.ToLower(hwaddr), ":")
}
return buf
}
// usesIPv4Firewall returns whether network config will need to use the IPv4 firewall.
func usesIPv4Firewall(netConfig map[string]string) bool {
if netConfig == nil {
return false
}
if util.IsTrueOrEmpty(netConfig["ipv4.firewall"]) {
return true
}
if util.IsTrue(netConfig["ipv4.nat"]) {
return true
}
return false
}
// usesIPv6Firewall returns whether network config will need to use the IPv6 firewall.
func usesIPv6Firewall(netConfig map[string]string) bool {
if netConfig == nil {
return false
}
if util.IsTrueOrEmpty(netConfig["ipv6.firewall"]) {
return true
}
if util.IsTrue(netConfig["ipv6.nat"]) {
return true
}
return false
}
// RandomHwaddr generates a random MAC address from the provided random source.
func randomHwaddr(r *rand.Rand) string {
// Generate a new random MAC address using the usual prefix.
ret := bytes.Buffer{}
for _, c := range "10:66:6a:xx:xx:xx" {
if c == 'x' {
ret.WriteString(fmt.Sprintf("%x", r.Int31n(16)))
} else {
ret.WriteString(string(c))
}
}
return ret.String()
}
// parseIPRange parses an IP range in the format "start-end" and converts it to a iprange.Range.
// If allowedNets are supplied, then each IP in the range is checked that it belongs to at least one of them.
// IPs in the range can be zero prefixed, e.g. "::1" or "0.0.0.1", however they should not overlap with any
// supplied allowedNets prefixes. If they are within an allowed network, any zero prefixed addresses are
// returned combined with the first allowed network they are within.
// If no allowedNets supplied they are returned as-is.
func parseIPRange(ipRange string, allowedNets ...*net.IPNet) (*iprange.Range, error) {
inAllowedNet := func(ip net.IP, allowedNet *net.IPNet) net.IP {
if ip == nil {
return nil
}
ipv4 := ip.To4()
// Only match IPv6 addresses against IPv6 networks.
if ipv4 == nil && allowedNet.IP.To4() != nil {
return nil
}
// Combine IP with network prefix if IP starts with a zero.
// If IP is v4, then compare against 4-byte representation, otherwise use 16 byte representation.
if (ipv4 != nil && ipv4[0] == 0) || (ipv4 == nil && ip[0] == 0) {
allowedNet16 := allowedNet.IP.To16()
ipCombined := make(net.IP, net.IPv6len)
for i, b := range ip {
ipCombined[i] = allowedNet16[i] | b
}
ip = ipCombined
}
// Check start IP is within one of the allowed networks.
if !allowedNet.Contains(ip) {
return nil
}
return ip
}
rangeParts := strings.SplitN(ipRange, "-", 2)
if len(rangeParts) != 2 {
return nil, fmt.Errorf("IP range %q must contain start and end IP addresses", ipRange)
}
startIP := net.ParseIP(rangeParts[0])
endIP := net.ParseIP(rangeParts[1])
if startIP == nil {
return nil, fmt.Errorf("Start IP %q is invalid", rangeParts[0])
}
if endIP == nil {
return nil, fmt.Errorf("End IP %q is invalid", rangeParts[1])
}
if bytes.Compare(startIP, endIP) > 0 {
return nil, fmt.Errorf("Start IP %q must be less than End IP %q", startIP, endIP)
}
if len(allowedNets) > 0 {
matchFound := false
for _, allowedNet := range allowedNets {
if allowedNet == nil {
return nil, errors.New("Invalid allowed network")
}
combinedStartIP := inAllowedNet(startIP, allowedNet)
if combinedStartIP == nil {
continue
}
combinedEndIP := inAllowedNet(endIP, allowedNet)
if combinedEndIP == nil {
continue
}
// If both match then replace parsed IPs with combined IPs and stop searching.
matchFound = true
startIP = combinedStartIP
endIP = combinedEndIP
break
}
if !matchFound {
return nil, fmt.Errorf("IP range %q does not fall within any of the allowed networks %v", ipRange, allowedNets)
}
}
return &iprange.Range{
Start: startIP,
End: endIP,
}, nil
}
// parseIPRanges parses a comma separated list of IP ranges using parseIPRange.
func parseIPRanges(ipRangesList string, allowedNets ...*net.IPNet) ([]*iprange.Range, error) {
ipRanges := strings.Split(ipRangesList, ",")
netIPRanges := make([]*iprange.Range, 0, len(ipRanges))
for _, ipRange := range ipRanges {
netIPRange, err := parseIPRange(strings.TrimSpace(ipRange), allowedNets...)
if err != nil {
return nil, err
}
netIPRanges = append(netIPRanges, netIPRange)
}
return netIPRanges, nil
}
// VLANInterfaceCreate creates a VLAN interface on parent interface (if needed).
// Returns boolean indicating if VLAN interface was created.
func VLANInterfaceCreate(parent string, vlanDevice string, vlanID string, gvrp bool) (bool, error) {
if vlanID == "" {
return false, nil
}
if InterfaceExists(vlanDevice) {
return false, nil
}
// Bring the parent interface up so we can add a vlan to it.
link := &ip.Link{Name: parent}
err := link.SetUp()
if err != nil {
return false, fmt.Errorf("Failed to bring up parent %q: %w", parent, err)
}
vlan := &ip.Vlan{
Link: ip.Link{
Name: vlanDevice,
Parent: parent,
},
VlanID: vlanID,
Gvrp: gvrp,
}
err = vlan.Add()
if err != nil {
return false, fmt.Errorf("Failed to create VLAN interface %q on %q: %w", vlanDevice, parent, err)
}
err = vlan.SetUp()
if err != nil {
return false, fmt.Errorf("Failed to bring up interface %q: %w", vlanDevice, err)
}
// Attempt to disable IPv6 router advertisement acceptance.
_ = localUtil.SysctlSet(fmt.Sprintf("net/ipv6/conf/%s/accept_ra", vlanDevice), "0")
// We created a new vlan interface, return true.
return true, nil
}
// InterfaceRemove removes a network interface by name.
func InterfaceRemove(nic string) error {
link := &ip.Link{Name: nic}
err := link.Delete()
return err
}
// InterfaceExists returns true if network interface exists.
func InterfaceExists(nic string) bool {
if nic != "" && util.PathExists(fmt.Sprintf("/sys/class/net/%s", nic)) {
return true
}
return false
}
// IPInSlice returns true if slice has IP element.
func IPInSlice(key net.IP, list []net.IP) bool {
for _, entry := range list {
if entry.Equal(key) {
return true
}
}
return false
}
// SubnetContains returns true if outerSubnet contains innerSubnet.
func SubnetContains(outerSubnet *net.IPNet, innerSubnet *net.IPNet) bool {
if outerSubnet == nil || innerSubnet == nil {
return false
}
if !outerSubnet.Contains(innerSubnet.IP) {
return false
}
outerOnes, outerBits := outerSubnet.Mask.Size()
innerOnes, innerBits := innerSubnet.Mask.Size()
// Check number of bits in mask match.
if innerBits != outerBits {
return false
}
// Check that the inner subnet isn't outside of the outer subnet.
if innerOnes < outerOnes {
return false
}
return true
}
// SubnetContainsIP returns true if outsetSubnet contains IP address.
func SubnetContainsIP(outerSubnet *net.IPNet, ip net.IP) bool {
// Convert ip to ipNet.
ipIsIP4 := ip.To4() != nil
prefix := 32
if !ipIsIP4 {
prefix = 128
}
_, ipSubnet, err := net.ParseCIDR(fmt.Sprintf("%s/%d", ip.String(), prefix))
if err != nil {
return false
}
ipSubnet.IP = ip
return SubnetContains(outerSubnet, ipSubnet)
}
// SubnetIterate iterates through each IP in a subnet calling a function for each IP.
// If the ipFunc returns a non-nil error then the iteration stops and the error is returned.
func SubnetIterate(subnet *net.IPNet, ipFunc func(ip net.IP) error) error {
inc := big.NewInt(1)
// Convert route start IP to native representations to allow incrementing.
startIP := subnet.IP.To4()
if startIP == nil {
startIP = subnet.IP.To16()
}
startBig := big.NewInt(0)
startBig.SetBytes(startIP)
// Iterate through IPs in subnet, calling ipFunc for each one.
for {
ip := net.IP(startBig.Bytes())
if !subnet.Contains(ip) {
break
}
err := ipFunc(ip)
if err != nil {
return err
}
startBig.Add(startBig, inc)
}
return nil
}
// SubnetParseAppend parses one or more string CIDR subnets. Appends to the supplied slice. Returns subnets slice.
func SubnetParseAppend(subnets []*net.IPNet, parseSubnet ...string) ([]*net.IPNet, error) {
for _, subnetStr := range parseSubnet {
_, subnet, err := net.ParseCIDR(subnetStr)
if err != nil {
return nil, fmt.Errorf("Invalid subnet %q: %w", subnetStr, err)
}
subnets = append(subnets, subnet)
}
return subnets, nil
}
// IPRangesOverlap checks whether two ip ranges have ip addresses in common.
func IPRangesOverlap(r1, r2 *iprange.Range) bool {
if r1.End == nil {
return r2.ContainsIP(r1.Start)
}
if r2.End == nil {
return r1.ContainsIP(r2.Start)
}
return r1.ContainsIP(r2.Start) || r1.ContainsIP(r2.End)
}
// InterfaceStatus returns the global unicast IP addresses configured on an interface and whether it is up or not.
func InterfaceStatus(nicName string) ([]net.IP, bool, error) {
iface, err := net.InterfaceByName(nicName)
if err != nil {
return nil, false, fmt.Errorf("Failed loading interface %q: %w", nicName, err)
}
isUp := iface.Flags&net.FlagUp != 0
addresses, err := iface.Addrs()
if err != nil {
return nil, isUp, fmt.Errorf("Failed getting interface addresses for %q: %w", nicName, err)
}
var globalUnicastIPs []net.IP
for _, address := range addresses {
ip, _, _ := net.ParseCIDR(address.String())
if ip == nil {
continue
}
if ip.IsGlobalUnicast() {
globalUnicastIPs = append(globalUnicastIPs, ip)
}
}
return globalUnicastIPs, isUp, nil
}
// ParsePortRange validates a port range in the form start-end.
func ParsePortRange(r string) (int64, int64, error) {
entries := strings.Split(r, "-")
if len(entries) > 2 {
return -1, -1, fmt.Errorf("Invalid port range %q", r)
}
base, err := strconv.ParseInt(entries[0], 10, 64)
if err != nil {
return -1, -1, err
}
size := int64(1)
if len(entries) > 1 {
size, err = strconv.ParseInt(entries[1], 10, 64)
if err != nil {
return -1, -1, err
}
if size <= base {
return -1, -1, errors.New("End port should be higher than start port")
}
size -= base
size++
}
return base, size, nil
}
// ParseIPToNet parses a standalone IP address into a net.IPNet (with the IP field set to the IP supplied).
// The address family is detected and the subnet size set to /32 for IPv4 or /128 for IPv6.
func ParseIPToNet(ipAddress string) (*net.IPNet, error) {
subnetSize := 32
if strings.Contains(ipAddress, ":") {
subnetSize = 128
}
listenAddress, listenAddressNet, err := net.ParseCIDR(fmt.Sprintf("%s/%d", ipAddress, subnetSize))
if err != nil {
return nil, err
}
listenAddressNet.IP = listenAddress // Add IP back into parsed subnet.
return listenAddressNet, err
}
// ParseIPCIDRToNet parses an IP in CIDR format into a net.IPNet (with the IP field set to the IP supplied).
func ParseIPCIDRToNet(ipAddressCIDR string) (*net.IPNet, error) {
listenAddress, listenAddressNet, err := net.ParseCIDR(ipAddressCIDR)
if err != nil {
return nil, err
}
listenAddressNet.IP = listenAddress // Add IP back into parsed subnet.
return listenAddressNet, err
}
// IPToNet converts an IP to a single host IPNet.
func IPToNet(ip net.IP) net.IPNet {
bits := 32
if ip.To4() == nil {
bits = 128
}
return net.IPNet{
IP: ip,
Mask: net.CIDRMask(bits, bits),
}
}
// NICUsesNetwork returns true if the nicDev's "network" or "parent" property matches one of the networks names.
func NICUsesNetwork(nicDev map[string]string, networks ...*api.Network) bool {
for _, network := range networks {
if network.Name == nicDev["network"] || network.Name == nicDev["parent"] {
return true
}
}
return false
}
// BridgeNetfilterEnabled checks whether the bridge netfilter feature is loaded and enabled.
// If it is not an error is returned. This is needed in order for instances connected to a bridge to access DNAT
// listeners on the host, as otherwise the packets from the bridge do have the SNAT netfilter rules applied.
func BridgeNetfilterEnabled(ipVersion uint) error {
sysctlName := "iptables"
if ipVersion == 6 {
sysctlName = "ip6tables"
}
sysctlPath := fmt.Sprintf("net/bridge/bridge-nf-call-%s", sysctlName)
sysctlVal, err := localUtil.SysctlGet(sysctlPath)
if err != nil {
return errors.New("br_netfilter kernel module not loaded")
}
sysctlVal = strings.TrimSpace(sysctlVal)
if sysctlVal != "1" {
return fmt.Errorf("sysctl net.bridge.bridge-nf-call-%s not enabled", sysctlName)
}
return nil
}
// ProxyParseAddr validates a proxy address and parses it into its constituent parts.
func ProxyParseAddr(data string) (*deviceConfig.ProxyAddress, error) {
// Split into <protocol> and <address>.
fields := strings.SplitN(data, ":", 2)
if !slices.Contains([]string{"tcp", "udp", "unix"}, fields[0]) {
return nil, fmt.Errorf("Unknown protocol type %q", fields[0])
}
if len(fields) < 2 || fields[1] == "" {
return nil, errors.New("Missing address")
}
newProxyAddr := &deviceConfig.ProxyAddress{
ConnType: fields[0],
Abstract: strings.HasPrefix(fields[1], "@"),
}
// unix addresses cannot have ports.
if newProxyAddr.ConnType == "unix" {
newProxyAddr.Address = fields[1]
return newProxyAddr, nil
}
// Split <address> into <address> and <ports>.
address, port, err := net.SplitHostPort(fields[1])
if err != nil {
return nil, err
}
// Validate that it's a valid address.
if slices.Contains([]string{"udp", "tcp"}, newProxyAddr.ConnType) {
err := validate.Optional(validate.IsNetworkAddress)(address)
if err != nil {
return nil, err
}
}
newProxyAddr.Address = address
// Split <ports> into individual ports and port ranges.
ports := strings.Split(port, ",")
newProxyAddr.Ports = make([]uint64, 0, len(ports))
for _, p := range ports {
portFirst, portRange, err := ParsePortRange(p)
if err != nil {
return nil, err
}
for i := range portRange {
newProxyAddr.Ports = append(newProxyAddr.Ports, uint64(portFirst+i))
}
}
if len(newProxyAddr.Ports) <= 0 {
return nil, errors.New("At least one port is required")
}
return newProxyAddr, nil
}
func validateExternalInterfaces(value string) error {
for _, entry := range strings.Split(value, ",") {
entry = strings.TrimSpace(entry)
// Test for extended configuration of external interface.
entryParts := strings.Split(entry, "/")
if len(entryParts) == 3 {
// The first part is the interface name.
entry = strings.TrimSpace(entryParts[0])
}
err := validate.IsInterfaceName(entry)
if err != nil {
return fmt.Errorf("Invalid interface name %q: %w", entry, err)
}
if len(entryParts) == 3 {
// Check if the parent interface is valid.
parent := strings.TrimSpace(entryParts[1])
err := validate.IsInterfaceName(parent)
if err != nil {
return fmt.Errorf("Invalid interface name %q: %w", parent, err)
}
// Check if the VLAN ID is valid.
vlanID, err := strconv.Atoi(entryParts[2])
if err != nil {
return fmt.Errorf("Invalid VLAN ID %q: %w", entryParts[2], err)
}
if vlanID < 1 || vlanID > 4094 {
return fmt.Errorf("Invalid VLAN ID %q", entryParts[2])
}
}
}
return nil
}
// complementRanges returns the complement of the provided IP network ranges.
// It calculates the IP ranges that are *not* covered by the input slice.
func complementRanges(ranges []*iprange.Range, netAddr *net.IPNet) ([]iprange.Range, error) {
var complement []iprange.Range
ipv4NetPrefix, err := netip.ParsePrefix(netAddr.String())
if err != nil {
return nil, err
}
previousEnd := ipv4NetPrefix.Addr()
for _, r := range ranges {
startAddr, err := netip.ParseAddr(r.Start.String())
if err != nil {
return nil, err
}
endAddr, err := netip.ParseAddr(r.End.String())
if err != nil {
return nil, err
}
if startAddr.Compare(previousEnd.Next()) == 1 {
newStart := previousEnd.Next()
newEnd := startAddr.Prev()
if newStart.Compare(newEnd) == 0 {
complement = append(complement, iprange.Range{Start: net.ParseIP(newStart.String())})
} else {
complement = append(complement, iprange.Range{Start: net.ParseIP(newStart.String()), End: net.ParseIP(newEnd.String())})
}
}
if endAddr.Compare(previousEnd) == 1 {
previousEnd = endAddr
}
}
endAddr, err := netip.ParseAddr(dhcpalloc.GetIP(netAddr, -2).String())
if err != nil {
return nil, err
}
if previousEnd.Compare(endAddr) == -1 {
complement = append(complement, iprange.Range{Start: net.ParseIP(previousEnd.Next().String()), End: net.ParseIP(endAddr.String())})
}
return complement, nil
}
// ipInRanges checks whether the given IP address is contained within any of the
// provided IP network ranges.
func ipInRanges(ipAddr net.IP, ipRanges []iprange.Range) bool {
for _, r := range ipRanges {
containsIP := r.ContainsIP(ipAddr)
if containsIP {
return true
}
}
return false
}
|