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
|
# Copyright (C) 2021-2025 VMware by Broadcom.
#
# Author: Shreenidhi Shedi <yesshedi@gmail.com>
#
# This file is part of cloud-init. See LICENSE file for license information.
import logging
from collections import defaultdict
from typing import Any, Callable, Dict, List, Optional, Tuple
from cloudinit import subp, util
from cloudinit.net import renderer, should_add_gateway_onlink_flag
from cloudinit.net.network_state import NetworkState
LOG = logging.getLogger(__name__)
def normalize(data: Dict[str, List[Any]]) -> Dict[str, List[Any]]:
"""
Normalize a dictionary of lists.
- Assumes top-level keys map to lists.
- Each list and any nested dicts/lists will be recursively normalized.
"""
normalized = {}
for key, value in data.items():
normalized[key] = _normalize_value(value)
return normalized
def _normalize_value(data: Any) -> Any:
"""
Recursively normalize a dictionary or list:
- Dicts: keys sorted, values normalized
- Lists: items normalized and sorted (if comparable)
"""
if isinstance(data, dict):
normalized = {}
for key in sorted(data):
normalized[key] = _normalize_value(data[key])
return normalized
elif isinstance(data, list):
normalized_items = []
for item in data:
if isinstance(item, (dict, list)):
normalized_item = _normalize_value(item)
else:
normalized_item = item
normalized_items.append(normalized_item)
try:
return sorted(normalized_items)
except TypeError:
return normalized_items
return data
class CfgParser:
def __init__(self):
self.conf_dict = {
"Match": [],
"Link": [],
"Network": [],
"DHCPv4": [],
"DHCPv6": [],
"Address": [],
"Route": {},
"NetDev": [],
"VLAN": [],
"Bond": [],
"Bridge": [],
"RoutingPolicyRule": {},
}
def update_section(self, sec, key, val):
for k in self.conf_dict.keys():
if k == sec:
self.conf_dict[k].append(f"{key}={val}")
self.conf_dict[k] = list(dict.fromkeys(self.conf_dict[k]))
self.conf_dict[k].sort()
def update_route_section(self, sec, rid, key, val):
"""
For each route section we use rid as a key, this allows us to isolate
this route from others on subsequent calls.
"""
for k in self.conf_dict.keys():
if k == sec:
if rid not in self.conf_dict[k]:
self.conf_dict[k][rid] = []
self.conf_dict[k][rid].append(f"{key}={val}")
# remove duplicates from list
self.conf_dict[k][rid] = list(
dict.fromkeys(self.conf_dict[k][rid])
)
self.conf_dict[k][rid].sort()
def get_final_conf(self):
contents = ""
self.conf_dict = normalize(self.conf_dict)
for k, v in sorted(self.conf_dict.items()):
if not v:
continue
if k == "Address":
for e in sorted(v):
contents += f"[{k}]\n{e}\n\n"
elif k in ["Route", "RoutingPolicyRule"]:
for n in sorted(v):
contents += f"[{k}]\n"
for e in sorted(v[n]):
contents += f"{e}\n"
contents += "\n"
else:
contents += f"[{k}]\n"
for e in sorted(v):
contents += f"{e}\n"
contents += "\n"
return contents
class Renderer(renderer.Renderer):
"""
Renders network information in /etc/systemd/network
This Renderer is currently experimental and doesn't support all the
use cases supported by the other renderers yet.
"""
def __init__(self, config=None):
if not config:
config = {}
self.resolve_conf_fn = config.get(
"resolve_conf_fn", "/etc/systemd/resolved.conf"
)
self.network_conf_dir = config.get(
"network_conf_dir", "/etc/systemd/network/"
)
def generate_match_section(self, iface, cfg: CfgParser):
sec = "Match"
match_dict = {
"name": "Name",
"driver": "Driver",
}
if iface["type"] == "physical":
match_dict["mac_address"] = "MACAddress"
if not iface:
return
for k, v in match_dict.items():
if k in iface and iface[k]:
cfg.update_section(sec, v, iface[k])
return iface["name"]
def generate_link_section(self, iface, cfg: CfgParser):
sec = "Link"
if not iface:
return
if iface.get("mtu"):
cfg.update_section(sec, "MTUBytes", iface["mtu"])
if iface["type"] != "physical" and iface.get("mac_address"):
cfg.update_section(sec, "MACAddress", iface["mac_address"])
if "optional" in iface and iface["optional"]:
cfg.update_section(sec, "RequiredForOnline", "no")
def parse_routes(self, rid, conf, cfg: CfgParser):
"""
Parse a route and use rid as a key in order to isolate the route from
others in the route dict.
"""
sec = "Route"
route_cfg_map = {
"gateway": "Gateway",
"network": "Destination",
"metric": "Metric",
"table": "Table",
}
# prefix is derived using netmask by network_state
prefix = ""
if "prefix" in conf:
prefix = f"/{conf['prefix']}"
for k, v in conf.items():
if k not in route_cfg_map:
continue
if k == "network":
v += prefix
cfg.update_route_section(sec, rid, route_cfg_map[k], v)
def parse_subnets(self, iface, cfg: CfgParser):
dhcp = "no"
sec = "Network"
rid = 0
for e in iface.get("subnets", []):
t = e["type"]
if t in {"dhcp4", "dhcp"}:
if dhcp == "no":
dhcp = "ipv4"
elif dhcp == "ipv6":
dhcp = "yes"
elif t == "dhcp6":
if dhcp == "no":
dhcp = "ipv6"
elif dhcp == "ipv4":
dhcp = "yes"
if "routes" in e and e["routes"]:
for i in e["routes"]:
# Use "r" as a dict key prefix for this route to isolate
# it from other sources of routes
self.parse_routes(f"r{rid}", i, cfg)
rid = rid + 1
if "address" in e:
addr = e["address"]
if "prefix" in e:
addr += f"/{e['prefix']}"
subnet_cfg_map = {
"address": "Address",
"gateway": "Gateway",
"dns_nameservers": "DNS",
"dns_search": "Domains",
}
for k, v in e.items():
if k == "address":
cfg.update_section("Address", subnet_cfg_map[k], addr)
elif k == "gateway":
# Use "a" as a dict key prefix for this route to
# isolate it from other sources of routes
cfg.update_route_section(
"Route", f"a{rid}", subnet_cfg_map[k], v
)
if should_add_gateway_onlink_flag(v, addr):
LOG.debug(
"Gateway %s is not contained within subnet %s,"
" adding GatewayOnLink flag",
v,
addr,
)
cfg.update_route_section(
"Route", f"a{rid}", "GatewayOnLink", "yes"
)
rid = rid + 1
elif k in {"dns_nameservers", "dns_search"}:
cfg.update_section(sec, subnet_cfg_map[k], " ".join(v))
cfg.update_section(sec, "DHCP", dhcp)
if isinstance(iface.get("accept-ra"), bool):
val = "no"
if iface["accept-ra"]:
val = "yes"
cfg.update_section(sec, "IPv6AcceptRA", val)
return dhcp
# This is to accommodate extra keys present in VMware config
def dhcp_domain(self, d, cfg: CfgParser):
for item in ["dhcp4domain", "dhcp6domain"]:
if item not in d:
continue
ret = str(d[item]).casefold()
try:
ret = util.translate_bool(ret)
ret = "yes" if ret else "no"
except ValueError:
if ret != "route":
LOG.warning("Invalid dhcp4domain value - %s", ret)
ret = "no"
if item == "dhcp4domain":
section = "DHCPv4"
else:
section = "DHCPv6"
cfg.update_section(section, "UseDomains", ret)
def parse_dns(self, iface, cfg: CfgParser, ns: NetworkState):
sec = "Network"
dns = iface.get("dns")
if not dns and ns.version == 1:
dns = {
"search": ns.dns_searchdomains,
"nameservers": ns.dns_nameservers,
}
elif not dns and ns.version == 2:
return
if dns.get("search"):
cfg.update_section(sec, "Domains", " ".join(dns["search"]))
if dns.get("nameservers"):
cfg.update_section(sec, "DNS", " ".join(dns["nameservers"]))
def parse_dhcp_overrides(self, cfg: CfgParser, device, dhcp, version):
dhcp_config_maps = {
"UseDNS": "use-dns",
"UseDomains": "use-domains",
"UseHostname": "use-hostname",
"UseNTP": "use-ntp",
}
if version == "4":
dhcp_config_maps.update(
{
"SendHostname": "send-hostname",
"Hostname": "hostname",
"RouteMetric": "route-metric",
"UseMTU": "use-mtu",
"UseRoutes": "use-routes",
}
)
if f"dhcp{version}-overrides" in device and dhcp in [
"yes",
f"ipv{version}",
]:
dhcp_overrides = device[f"dhcp{version}-overrides"]
for k, v in dhcp_config_maps.items():
if v in dhcp_overrides:
cfg.update_section(f"DHCPv{version}", k, dhcp_overrides[v])
def create_network_file(self, link, conf, nwk_dir, ext=".network"):
net_fn_owner = "systemd-network"
LOG.debug("Setting Networking Config for %s", link)
net_fn = f"{nwk_dir}10-cloud-init-{link}{ext}"
if conf.endswith("\n\n"):
conf = conf[:-1]
util.write_file(net_fn, conf)
util.chownbyname(net_fn, net_fn_owner, net_fn_owner)
def render_network_state(
self,
network_state: NetworkState,
templates: Optional[dict] = None,
target=None,
) -> None:
network_dir = self.network_conf_dir
if target:
network_dir = subp.target_path(target) + network_dir
util.ensure_dir(network_dir)
network = self._render_content(network_state)
vlan_netdev = network.pop("vlan_netdev", {})
bond_netdev = network.pop("bond_netdev", {})
bridge_netdev = network.pop("bridge_netdev", {})
for k, v in network.items():
self.create_network_file(k, v, network_dir)
for k, v in vlan_netdev.items():
self.create_network_file(k, v, network_dir, ext=".netdev")
for k, v in bond_netdev.items():
self.create_network_file(k, v, network_dir, ext=".netdev")
for k, v in bridge_netdev.items():
self.create_network_file(k, v, network_dir, ext=".netdev")
def parseRoutingPolicy(self, policy, cfg: CfgParser):
rid = 0
key = "RoutingPolicyRule"
for val in policy:
for k, v in val.items():
cfg.update_route_section(key, rid, k.capitalize(), v)
rid += 1
def extractRoutingPolicies(self, nsCfg: Dict):
routingPolicies = {}
key = "routing-policy"
for section in ("ethernets", "bonds", "vlans", "bridges"):
if section not in nsCfg:
continue
for iface, settings in nsCfg[section].items():
if key in settings:
routingPolicies[iface] = settings[key]
return routingPolicies
def _render_content(self, ns: NetworkState):
ret_dict = {}
vlan_link = {}
bond_link = {}
bridge_link = {}
if "vlans" in ns.config:
vlan_dict = self.render_vlans(ns)
vlan_netdev = vlan_dict["vlan_netdev"]
vlan_link = vlan_dict["vlan_link"]
ret_dict["vlan_netdev"] = vlan_netdev
if "bonds" in ns.config:
bond_dict = self.render_bonds(ns)
bond_netdev = bond_dict["bond_netdev"]
bond_link = bond_dict["bond_link"]
ret_dict["bond_netdev"] = bond_netdev
if "bridges" in ns.config:
bridge_dict = self.render_bridges(ns)
bridge_netdev = bridge_dict["bridge_netdev"]
bridge_link = bridge_dict["bridge_link"]
ret_dict["bridge_netdev"] = bridge_netdev
routingPolicies = self.extractRoutingPolicies(ns.config)
for iface in ns.iter_interfaces():
cfg = CfgParser()
iface_name = iface["name"]
vlan_link_name = vlan_link.get(iface_name, [])
for i in vlan_link_name:
cfg.update_section("Network", "VLAN", i)
rPolicy = routingPolicies.get(iface_name)
if rPolicy:
self.parseRoutingPolicy(rPolicy, cfg)
bond_link_name = bond_link.get(iface_name)
if bond_link_name:
cfg.update_section("Network", "Bond", bond_link_name)
bridge_link_name = bridge_link.get(iface_name)
if bridge_link_name:
val = (
bridge_link["path-cost"]
.get(bridge_link_name, {})
.get(iface_name)
)
if val:
cfg.update_section("Bridge", "Cost", val)
val = (
bridge_link["port-priority"]
.get(bridge_link_name, {})
.get(iface_name)
)
if val:
cfg.update_section("Bridge", "Priority", val)
cfg.update_section("Network", "Bridge", bridge_link_name)
link = self.generate_match_section(iface, cfg)
self.generate_link_section(iface, cfg)
dhcp = self.parse_subnets(iface, cfg)
self.parse_dns(iface, cfg, ns)
rid = 0
for route in ns.iter_routes():
# Use "c" as a dict key prefix for this route to isolate it
# from other sources of routes
self.parse_routes(f"c{rid}", route, cfg)
rid = rid + 1
if ns.version == 2:
name: Optional[str] = iface["name"]
# network state doesn't give dhcp domain info
# using ns.config as a workaround here
# Check to see if this interface matches against an interface
# from the network state that specified a set-name directive.
# If there is a device with a set-name directive and it has
# set-name value that matches the current name, then update the
# current name to the device's name. That will be the value in
# the ns.config['ethernets'] dict below.
for dev_name, dev_cfg in ns.config["ethernets"].items():
if "set-name" in dev_cfg:
if dev_cfg.get("set-name") == name:
name = dev_name
break
if name in ns.config["ethernets"]:
device = ns.config["ethernets"][name]
# dhcp{version}domain are extra keys only present in
# VMware config
self.dhcp_domain(device, cfg)
for version in ["4", "6"]:
if (
f"dhcp{version}domain" in device
and "use-domains"
in device.get(f"dhcp{version}-overrides", {})
):
exception = (
f"{name} has both dhcp{version}domain"
f" and dhcp{version}-overrides.use-domains"
f" configured. Use one"
)
raise RuntimeError(exception)
self.parse_dhcp_overrides(cfg, device, dhcp, version)
ret_dict.update({link: cfg.get_final_conf()})
return ret_dict
def render_vlans(self, ns: NetworkState) -> dict:
vlan_link_info = defaultdict(list)
vlan_ndev_configs = {}
vlans = ns.config.get("vlans", {})
for vlan_name, vlan_cfg in vlans.items():
vlan_id = vlan_cfg.get("id")
parent = vlan_cfg.get("link")
if vlan_id is None or parent is None:
LOG.warning(
"Skipping VLAN %s - missing 'id' or 'link'", vlan_name
)
continue
vlan_link_info[parent].append(vlan_name)
# -------- .netdev for VLAN --------
cfg = CfgParser()
cfg.update_section("NetDev", "Name", vlan_name)
cfg.update_section("NetDev", "Kind", "vlan")
val = vlan_cfg.get("mtu")
if val:
cfg.update_section("NetDev", "MTUBytes", val)
val = vlan_cfg.get("macaddress")
if val:
cfg.update_section("NetDev", "MACAddress", val.lower())
cfg.update_section("VLAN", "Id", vlan_id)
vlan_ndev_configs[vlan_name] = cfg.get_final_conf()
return {
"vlan_netdev": vlan_ndev_configs,
"vlan_link": vlan_link_info,
}
def render_bonds(self, ns: NetworkState) -> dict:
bond_link_info: Dict[str, Any] = {}
bond_ndev_configs = {}
section = "Bond"
bonds = ns.config.get("bonds", {})
for bond_name, bond_cfg in bonds.items():
interfaces = bond_cfg.get("interfaces")
if not interfaces:
LOG.warning(
"Skipping bond %s - missing 'interfaces'", bond_name
)
continue
bond_link_info.update({iface: bond_name for iface in interfaces})
# -------- .netdev for Bond --------
cfg = CfgParser()
cfg.update_section("NetDev", "Name", bond_name)
cfg.update_section("NetDev", "Kind", "bond")
val = bond_cfg.get("mtu")
if val:
cfg.update_section("NetDev", "MTUBytes", val)
val = bond_cfg.get("macaddress")
if val:
cfg.update_section("NetDev", "MACAddress", val.lower())
# Optional bond parameters
params = bond_cfg.get("parameters", {})
ParamMapType = Dict[str, Tuple[str, Callable[[object], str]]]
param_map: ParamMapType = {
"ad-select": ("AdSelect", str),
"all-slaves-active": (
"AllSlavesActive",
lambda v: str(v).lower(),
),
"arp-all-targets": ("ARPAllTargets", str),
"arp-interval": ("ARPIntervalSec", lambda v: f"{v}ms"),
"arp-validate": ("ARPValidate", str),
"down-delay": ("DownDelaySec", lambda v: f"{v}ms"),
"fail-over-mac-policy": ("FailOverMACPolicy", str),
"gratuitous-arp": ("GratuitousARP", str),
"lacp-rate": ("LACPTransmitRate", str),
"learn-packet-interval": ("LearnPacketIntervalSec", str),
"mii-monitor-interval": ("MIIMonitorSec", lambda v: f"{v}ms"),
"min-links": ("MinLinks", str),
"mode": ("Mode", str),
"packets-per-slave": ("PacketsPerSlave", str),
"primary-reselect-policy": ("PrimaryReselectPolicy", str),
"transmit-hash-policy": ("TransmitHashPolicy", str),
"up-delay": ("UpDelaySec", lambda v: f"{v}ms"),
}
for key, (option, formatter) in param_map.items():
if key in params:
cfg.update_section(section, option, formatter(params[key]))
if "arp-ip-targets" in params:
targets = params["arp-ip-targets"]
if isinstance(targets, str):
targets = [targets]
cfg.update_section(section, "ARPIPTargets", " ".join(targets))
bond_ndev_configs[bond_name] = cfg.get_final_conf()
return {
"bond_netdev": bond_ndev_configs,
"bond_link": bond_link_info,
}
def render_bridges(self, ns: NetworkState) -> dict:
bridge_link_info: Dict[str, Any] = {
"macaddress": {},
"path-cost": {},
"port-priority": {},
}
bridge_ndev_configs = {}
bridges = ns.config.get("bridges", {})
for bridge_name, bridge_cfg in bridges.items():
interfaces = bridge_cfg.get("interfaces", [])
if not interfaces:
LOG.warning(
"Skipping bridge %s - missing 'interfaces'", bridge_name
)
continue
# Map each interface to its bridge
for iface in interfaces:
bridge_link_info[iface] = bridge_name
# ---- .netdev config for the bridge ----
cfg = CfgParser()
cfg.update_section("NetDev", "Name", bridge_name)
cfg.update_section("NetDev", "Kind", "bridge")
val = bridge_cfg.get("mtu")
if val:
cfg.update_section("NetDev", "MTUBytes", val)
val = bridge_cfg.get("macaddress")
if val:
cfg.update_section("NetDev", "MACAddress", val.lower())
# Bridge parameters
params = bridge_cfg.get("parameters", {})
param_map = {
"ageing-time": "AgeingTimeSec",
"forward-delay": "ForwardDelaySec",
"hello-time": "HelloTimeSec",
"max-age": "MaxAgeSec",
"priority": "Priority",
"stp": "STP",
}
for key, sysd_key in param_map.items():
val = params.get(key)
if val:
if isinstance(val, bool):
val = "yes" if val else "no"
cfg.update_section("Bridge", sysd_key, val)
val = params.get("path-cost")
if val:
bridge_link_info["path-cost"][bridge_name] = val
val = params.get("port-priority")
if val:
bridge_link_info["port-priority"][bridge_name] = val
bridge_ndev_configs[bridge_name] = cfg.get_final_conf()
return {
"bridge_netdev": bridge_ndev_configs,
"bridge_link": bridge_link_info,
}
def available(target=None):
expected = ["ip", "systemctl"]
search = ["/usr/sbin", "/bin"]
for p in expected:
if not subp.which(p, search=search):
return False
return True
|