diff options
Diffstat (limited to 'src')
| -rwxr-xr-x | src/completion/list_container_sysctl_parameters.sh | 20 | ||||
| -rwxr-xr-x | src/conf_mode/container.py | 57 | ||||
| -rwxr-xr-x | src/conf_mode/nat_cgnat.py | 30 | ||||
| -rwxr-xr-x | src/migration-scripts/firewall/15-to-16 | 5 | ||||
| -rwxr-xr-x | src/op_mode/conntrack_sync.py | 25 | ||||
| -rwxr-xr-x | src/op_mode/cpu.py | 12 | ||||
| -rwxr-xr-x | src/op_mode/lldp.py | 23 | ||||
| -rw-r--r-- | src/op_mode/tcpdump.py | 165 | ||||
| -rwxr-xr-x | src/op_mode/uptime.py | 4 | 
9 files changed, 307 insertions, 34 deletions
| diff --git a/src/completion/list_container_sysctl_parameters.sh b/src/completion/list_container_sysctl_parameters.sh new file mode 100755 index 000000000..cf8d006e5 --- /dev/null +++ b/src/completion/list_container_sysctl_parameters.sh @@ -0,0 +1,20 @@ +#!/bin/sh +# +# Copyright (C) 2024 VyOS maintainers and contributors +# +# This program is free software; you can redistribute it and/or modify +# it under the terms of the GNU General Public License version 2 or later as +# published by the Free Software Foundation. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program.  If not, see <http://www.gnu.org/licenses/>. + +declare -a vals +eval "vals=($(/sbin/sysctl -N -a|grep -E '^(fs.mqueue|net)\.|^(kernel.msgmax|kernel.msgmnb|kernel.msgmni|kernel.sem|kernel.shmall|kernel.shmmax|kernel.shmmni|kernel.shm_rmid_forced)$'))" +echo ${vals[@]} +exit 0 diff --git a/src/conf_mode/container.py b/src/conf_mode/container.py index 3efeb9b40..ded370a7a 100755 --- a/src/conf_mode/container.py +++ b/src/conf_mode/container.py @@ -29,7 +29,7 @@ from vyos.configdict import node_changed  from vyos.configdict import is_node_changed  from vyos.configverify import verify_vrf  from vyos.ifconfig import Interface -from vyos.cpu import get_core_count +from vyos.utils.cpu import get_core_count  from vyos.utils.file import write_file  from vyos.utils.process import call  from vyos.utils.process import cmd @@ -43,6 +43,7 @@ from vyos.template import render  from vyos.xml_ref import default_value  from vyos import ConfigError  from vyos import airbag +  airbag.enable()  config_containers = '/etc/containers/containers.conf' @@ -50,16 +51,19 @@ config_registry = '/etc/containers/registries.conf'  config_storage = '/etc/containers/storage.conf'  systemd_unit_path = '/run/systemd/system' +  def _cmd(command):      if os.path.exists('/tmp/vyos.container.debug'):          print(command)      return cmd(command) +  def network_exists(name):      # Check explicit name for network, returns True if network exists      c = _cmd(f'podman network ls --quiet --filter name=^{name}$')      return bool(c) +  # Common functions  def get_config(config=None):      if config: @@ -86,21 +90,22 @@ def get_config(config=None):      # registry is a tagNode with default values - merge the list from      # default_values['registry'] into the tagNode variables      if 'registry' not in container: -        container.update({'registry' : {}}) +        container.update({'registry': {}})          default_values = default_value(base + ['registry'])          for registry in default_values: -            tmp = {registry : {}} +            tmp = {registry: {}}              container['registry'] = dict_merge(tmp, container['registry'])      # Delete container network, delete containers      tmp = node_changed(conf, base + ['network']) -    if tmp: container.update({'network_remove' : tmp}) +    if tmp: container.update({'network_remove': tmp})      tmp = node_changed(conf, base + ['name']) -    if tmp: container.update({'container_remove' : tmp}) +    if tmp: container.update({'container_remove': tmp})      return container +  def verify(container):      # bail out early - looks like removal from running config      if not container: @@ -125,8 +130,8 @@ def verify(container):              # of image upgrade and deletion.              image = container_config['image']              if run(f'podman image exists {image}') != 0: -                Warning(f'Image "{image}" used in container "{name}" does not exist '\ -                        f'locally. Please use "add container image {image}" to add it '\ +                Warning(f'Image "{image}" used in container "{name}" does not exist ' \ +                        f'locally. Please use "add container image {image}" to add it ' \                          f'to the system! Container "{name}" will not be started!')              if 'cpu_quota' in container_config: @@ -167,11 +172,11 @@ def verify(container):                          # We can not use the first IP address of a network prefix as this is used by podman                          if ip_address(address) == ip_network(network)[1]: -                            raise ConfigError(f'IP address "{address}" can not be used for a container, '\ +                            raise ConfigError(f'IP address "{address}" can not be used for a container, ' \                                                'reserved for the container engine!')                      if cnt_ipv4 > 1 or cnt_ipv6 > 1: -                        raise ConfigError(f'Only one IP address per address family can be used for '\ +                        raise ConfigError(f'Only one IP address per address family can be used for ' \                                            f'container "{name}". {cnt_ipv4} IPv4 and {cnt_ipv6} IPv6 address(es)!')              if 'device' in container_config: @@ -186,6 +191,13 @@ def verify(container):                      if not os.path.exists(source):                          raise ConfigError(f'Device "{dev}" source path "{source}" does not exist!') +            if 'sysctl' in container_config and 'parameter' in container_config['sysctl']: +                for var, cfg in container_config['sysctl']['parameter'].items(): +                    if 'value' not in cfg: +                        raise ConfigError(f'sysctl parameter {var} has no value assigned!') +                    if var.startswith('net.') and 'allow_host_networks' in container_config: +                        raise ConfigError(f'sysctl parameter {var} cannot be set when using host networking!') +              if 'environment' in container_config:                  for var, cfg in container_config['environment'].items():                      if 'value' not in cfg: @@ -219,7 +231,8 @@ def verify(container):              # Can not set both allow-host-networks and network at the same time              if {'allow_host_networks', 'network'} <= set(container_config): -                raise ConfigError(f'"allow-host-networks" and "network" for "{name}" cannot be both configured at the same time!') +                raise ConfigError( +                    f'"allow-host-networks" and "network" for "{name}" cannot be both configured at the same time!')              # gid cannot be set without uid              if 'gid' in container_config and 'uid' not in container_config: @@ -235,8 +248,10 @@ def verify(container):                  raise ConfigError(f'prefix for network "{network}" must be defined!')              for prefix in network_config['prefix']: -                if is_ipv4(prefix): v4_prefix += 1 -                elif is_ipv6(prefix): v6_prefix += 1 +                if is_ipv4(prefix): +                    v4_prefix += 1 +                elif is_ipv6(prefix): +                    v6_prefix += 1              if v4_prefix > 1:                  raise ConfigError(f'Only one IPv4 prefix can be defined for network "{network}"!') @@ -262,6 +277,7 @@ def verify(container):      return None +  def generate_run_arguments(name, container_config):      image = container_config['image']      cpu_quota = container_config['cpu_quota'] @@ -269,6 +285,12 @@ def generate_run_arguments(name, container_config):      shared_memory = container_config['shared_memory']      restart = container_config['restart'] +    # Add sysctl options +    sysctl_opt = '' +    if 'sysctl' in container_config and 'parameter' in container_config['sysctl']: +        for k, v in container_config['sysctl']['parameter'].items(): +            sysctl_opt += f" --sysctl {k}={v['value']}" +      # Add capability options. Should be in uppercase      capabilities = ''      if 'capability' in container_config: @@ -341,7 +363,7 @@ def generate_run_arguments(name, container_config):      if 'allow_host_pid' in container_config:        host_pid = '--pid host' -    container_base_cmd = f'--detach --interactive --tty --replace {capabilities} --cpus {cpu_quota} ' \ +    container_base_cmd = f'--detach --interactive --tty --replace {capabilities} --cpus {cpu_quota} {sysctl_opt} ' \                           f'--memory {memory}m --shm-size {shared_memory}m --memory-swap 0 --restart {restart} ' \                           f'--name {name} {hostname} {device} {port} {volume} {env_opt} {label} {uid} {host_pid}' @@ -375,6 +397,7 @@ def generate_run_arguments(name, container_config):      return f'{container_base_cmd} --no-healthcheck --net {networks} {ip_param} {entrypoint} {image} {command} {command_arguments}'.strip() +  def generate(container):      # bail out early - looks like removal from running config      if not container: @@ -387,7 +410,7 @@ def generate(container):          for network, network_config in container['network'].items():              tmp = {                  'name': network, -                'id' : sha256(f'{network}'.encode()).hexdigest(), +                'id': sha256(f'{network}'.encode()).hexdigest(),                  'driver': 'bridge',                  'network_interface': f'pod-{network}',                  'subnets': [], @@ -399,7 +422,7 @@ def generate(container):                  }              }              for prefix in network_config['prefix']: -                net = {'subnet' : prefix, 'gateway' : inc_ip(prefix, 1)} +                net = {'subnet': prefix, 'gateway': inc_ip(prefix, 1)}                  tmp['subnets'].append(net)                  if is_ipv6(prefix): @@ -418,11 +441,12 @@ def generate(container):              file_path = os.path.join(systemd_unit_path, f'vyos-container-{name}.service')              run_args = generate_run_arguments(name, container_config) -            render(file_path, 'container/systemd-unit.j2', {'name': name, 'run_args': run_args,}, +            render(file_path, 'container/systemd-unit.j2', {'name': name, 'run_args': run_args, },                     formater=lambda _: _.replace(""", '"').replace("'", "'"))      return None +  def apply(container):      # Delete old containers if needed. We can't delete running container      # Option "--force" allows to delete containers with any status @@ -485,6 +509,7 @@ def apply(container):      return None +  if __name__ == '__main__':      try:          c = get_config() diff --git a/src/conf_mode/nat_cgnat.py b/src/conf_mode/nat_cgnat.py index d429f6e21..cb336a35c 100755 --- a/src/conf_mode/nat_cgnat.py +++ b/src/conf_mode/nat_cgnat.py @@ -16,9 +16,11 @@  import ipaddress  import jmespath +import logging  import os  from sys import exit +from logging.handlers import SysLogHandler  from vyos.config import Config  from vyos.template import render @@ -32,6 +34,18 @@ airbag.enable()  nftables_cgnat_config = '/run/nftables-cgnat.nft' +# Logging +logger = logging.getLogger('cgnat') +logger.setLevel(logging.DEBUG) + +syslog_handler = SysLogHandler(address="/dev/log") +syslog_handler.setLevel(logging.INFO) + +formatter = logging.Formatter('%(name)s: %(message)s') +syslog_handler.setFormatter(formatter) + +logger.addHandler(syslog_handler) +  class IPOperations:      def __init__(self, ip_prefix: str): @@ -356,6 +370,22 @@ def apply(config):          return None      cmd(f'nft --file {nftables_cgnat_config}') +    # Logging allocations +    if 'log_allocation' in config: +        allocations = config['proto_map_elements'] +        allocations = allocations.split(',') +        for allocation in allocations: +            try: +                # Split based on the delimiters used in the nft data format +                internal_host, rest = allocation.split(' : ') +                external_host, port_range = rest.split(' . ') +                # Log the parsed data +                logger.info( +                    f"Internal host: {internal_host.lstrip()}, external host: {external_host}, Port range: {port_range}") +            except ValueError as e: +                # Log error message +                logger.error(f"Error processing line '{allocation}': {e}") +  if __name__ == '__main__':      try: diff --git a/src/migration-scripts/firewall/15-to-16 b/src/migration-scripts/firewall/15-to-16 index 7c8d38fe6..28df1256e 100755 --- a/src/migration-scripts/firewall/15-to-16 +++ b/src/migration-scripts/firewall/15-to-16 @@ -42,8 +42,9 @@ if not config.exists(conntrack_base):  for protocol in ['icmp', 'tcp', 'udp', 'other']:      if config.exists(conntrack_base + [protocol]): -        if not config.exists(firewall_base): +        if not config.exists(firewall_base + ['timeout']):              config.set(firewall_base + ['timeout']) +          config.copy(conntrack_base + [protocol], firewall_base + ['timeout', protocol])          config.delete(conntrack_base + [protocol]) @@ -52,4 +53,4 @@ try:          f.write(config.to_string())  except OSError as e:      print("Failed to save the modified config: {}".format(e)) -    exit(1)
\ No newline at end of file +    exit(1) diff --git a/src/op_mode/conntrack_sync.py b/src/op_mode/conntrack_sync.py index 6c86ff492..f3b09b452 100755 --- a/src/op_mode/conntrack_sync.py +++ b/src/op_mode/conntrack_sync.py @@ -19,6 +19,8 @@ import sys  import syslog  import xmltodict +from tabulate import tabulate +  import vyos.opmode  from vyos.configquery import CliShellApiConfigQuery @@ -27,7 +29,6 @@ from vyos.utils.commit import commit_in_progress  from vyos.utils.process import call  from vyos.utils.process import cmd  from vyos.utils.process import run -from vyos.template import render_to_string  conntrackd_bin = '/usr/sbin/conntrackd'  conntrackd_config = '/run/conntrackd/conntrackd.conf' @@ -59,6 +60,26 @@ def flush_cache(direction):      if tmp > 0:          raise vyos.opmode.Error('Failed to clear {direction} cache') +def get_formatted_output(data): +    data_entries = [] +    for parsed in data: +        for meta in parsed.get('flow', {}).get('meta', []): +            direction = meta['@direction'] +            if direction == 'original': +                src = meta['layer3']['src'] +                dst = meta['layer3']['dst'] +                sport = meta['layer4'].get('sport') +                dport = meta['layer4'].get('dport') +                protocol = meta['layer4'].get('@protoname') +                orig_src = f'{src}:{sport}' if sport else src +                orig_dst = f'{dst}:{dport}' if dport else dst + +                data_entries.append([orig_src, orig_dst, protocol]) + +    headers = ["Source", "Destination", "Protocol"] +    output = tabulate(data_entries, headers, tablefmt="simple") +    return output +  def from_xml(raw, xml):      out = []      for line in xml.splitlines(): @@ -70,7 +91,7 @@ def from_xml(raw, xml):      if raw:          return out      else: -        return render_to_string('conntrackd/conntrackd.op-mode.j2', {'data' : out}) +        return get_formatted_output(out)  def restart():      is_configured() diff --git a/src/op_mode/cpu.py b/src/op_mode/cpu.py index d53663c17..1a0f7392f 100755 --- a/src/op_mode/cpu.py +++ b/src/op_mode/cpu.py @@ -1,6 +1,6 @@  #!/usr/bin/env python3  # -# Copyright (C) 2016-2022 VyOS maintainers and contributors +# Copyright (C) 2016-2024 VyOS maintainers and contributors  #  # This program is free software; you can redistribute it and/or modify  # it under the terms of the GNU General Public License version 2 or later as @@ -16,8 +16,9 @@  import sys -import vyos.cpu  import vyos.opmode +from vyos.utils.cpu import get_cpus +from vyos.utils.cpu import get_core_count  from jinja2 import Template @@ -37,15 +38,15 @@ CPU model(s): {{models | join(", ")}}  """)  def _get_raw_data(): -    return vyos.cpu.get_cpus() +    return get_cpus()  def _format_cpus(cpu_data):      env = {'cpus': cpu_data}      return cpu_template.render(env).strip()  def _get_summary_data(): -    count = vyos.cpu.get_core_count() -    cpu_data = vyos.cpu.get_cpus() +    count = get_core_count() +    cpu_data = get_cpus()      models = [c['model name'] for c in cpu_data]      env = {'count': count, "models": models} @@ -79,4 +80,3 @@ if __name__ == '__main__':      except (ValueError, vyos.opmode.Error) as e:          print(e)          sys.exit(1) - diff --git a/src/op_mode/lldp.py b/src/op_mode/lldp.py index 58cfce443..fac622b81 100755 --- a/src/op_mode/lldp.py +++ b/src/op_mode/lldp.py @@ -120,7 +120,12 @@ def _get_formatted_output(raw_data):                  tmp.append('')              # Remote interface -            interface = jmespath.search('port.descr', values) +            interface = None +            if jmespath.search('port.id.type', values) == 'ifname': +                # Remote peer has explicitly returned the interface name as the PortID +                interface = jmespath.search('port.id.value', values) +            if not interface: +                interface = jmespath.search('port.descr', values)              if not interface:                  interface = jmespath.search('port.id.value', values)              if not interface: @@ -136,11 +141,17 @@ def _get_formatted_output(raw_data):  @_verify  def show_neighbors(raw: bool, interface: typing.Optional[str], detail: typing.Optional[bool]): -    lldp_data = _get_raw_data(interface=interface, detail=detail) -    if raw: -        return lldp_data -    else: -        return _get_formatted_output(lldp_data) +    if raw or not detail: +        lldp_data = _get_raw_data(interface=interface, detail=detail) +        if raw: +            return lldp_data +        else: +            return _get_formatted_output(lldp_data) +    else: # non-raw, detail  +        tmp = 'lldpcli -f text show neighbors details' +        if interface: +            tmp += f' ports {interface}' +        return cmd(tmp)  if __name__ == "__main__":      try: diff --git a/src/op_mode/tcpdump.py b/src/op_mode/tcpdump.py new file mode 100644 index 000000000..607b59603 --- /dev/null +++ b/src/op_mode/tcpdump.py @@ -0,0 +1,165 @@ +#! /usr/bin/env python3 + +# Copyright (C) 2024 VyOS maintainers and contributors +# +# This program is free software; you can redistribute it and/or modify +# it under the terms of the GNU General Public License version 2 or later as +# published by the Free Software Foundation. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program.  If not, see <http://www.gnu.org/licenses/>. + +import sys + +from vyos.utils.process import call + +options = { +    'dump': { +        'cmd': '{command} -A', +        'type': 'noarg', +        'help': 'Print each packet (minus its link level header) in ASCII.' +    }, +    'hexdump': { +        'cmd': '{command} -X', +        'type': 'noarg', +        'help': 'Print each packet (minus its link level header) in both hex and ASCII.' +    }, +    'filter': { +        'cmd': '{command} \'{value}\'', +        'type': '<pcap-filter>', +        'help': 'Match traffic for capture and display with a pcap-filter expression.' +    }, +    'numeric': { +        'cmd': '{command} -nn', +        'type': 'noarg', +        'help': 'Do not attempt to resolve addresses, protocols or services to names.' +    }, +    'save': { +        'cmd': '{command} -w {value}', +        'type': '<file>', +        'help': 'Write captured raw packets to <file> rather than parsing or printing them out.' +    }, +    'verbose': { +        'cmd': '{command} -vvv -ne', +        'type': 'noarg', +        'help': 'Parse packets with increased detail output, including link-level headers and extended decoding protocol sanity checks.' +    }, +} + +tcpdump = 'sudo /usr/bin/tcpdump' + +class List(list): +    def first(self): +        return self.pop(0) if self else '' + +    def last(self): +        return self.pop() if self else '' + +    def prepend(self, value): +        self.insert(0, value) + + +def completion_failure(option: str) -> None: +    """ +    Shows failure message after TAB when option is wrong +    :param option: failure option +    :type str: +    """ +    sys.stderr.write('\n\n Invalid option: {}\n\n'.format(option)) +    sys.stdout.write('<nocomps>') +    sys.exit(1) + + +def expansion_failure(option, completions): +    reason = 'Ambiguous' if completions else 'Invalid' +    sys.stderr.write( +        '\n\n  {} command: {} [{}]\n\n'.format(reason, ' '.join(sys.argv), +                                               option)) +    if completions: +        sys.stderr.write('  Possible completions:\n   ') +        sys.stderr.write('\n   '.join(completions)) +        sys.stderr.write('\n') +    sys.stdout.write('<nocomps>') +    sys.exit(1) + + +def complete(prefix): +    return [o for o in options if o.startswith(prefix)] + + +def convert(command, args): +    while args: +        shortname = args.first() +        longnames = complete(shortname) +        if len(longnames) != 1: +            expansion_failure(shortname, longnames) +        longname = longnames[0] +        if options[longname]['type'] == 'noarg': +            command = options[longname]['cmd'].format( +                command=command, value='') +        elif not args: +            sys.exit(f'monitor traffic: missing argument for {longname} option') +        else: +            command = options[longname]['cmd'].format( +                command=command, value=args.first()) +    return command + + +if __name__ == '__main__': +    args = List(sys.argv[1:]) +    ifname = args.first() + +    # Slightly simplified & tweaked version of the code from mtr.py - it may be  +    # worthwhile to combine and centralise this in a common module.  +    if ifname == '--get-options-nested': +        args.first()  # pop monitor +        args.first()  # pop traffic +        args.first()  # pop interface +        args.first()  # pop <ifname> +        usedoptionslist = [] +        while args: +            option = args.first()  # pop option +            matched = complete(option)  # get option parameters +            usedoptionslist.append(option)  # list of used options +            # Select options +            if not args: +                # remove from Possible completions used options +                for o in usedoptionslist: +                    if o in matched: +                        matched.remove(o) +                if not matched: +                    sys.stdout.write('<nocomps>') +                else: +                    sys.stdout.write(' '.join(matched)) +                sys.exit(0) + +            if len(matched) > 1: +                sys.stdout.write(' '.join(matched)) +                sys.exit(0) +            # If option doesn't have value +            if matched: +                if options[matched[0]]['type'] == 'noarg': +                    continue +            else: +                # Unexpected option +                completion_failure(option) + +            value = args.first()  # pop option's value +            if not args: +                matched = complete(option) +                helplines = options[matched[0]]['type'] +                # Run helpfunction to get list of possible values +                if 'helpfunction' in options[matched[0]]: +                    result = options[matched[0]]['helpfunction']() +                    if result: +                        helplines = '\n' + ' '.join(result) +                sys.stdout.write(helplines) +                sys.exit(0) + +    command = convert(tcpdump, args) +    call(f'{command} -i {ifname}') diff --git a/src/op_mode/uptime.py b/src/op_mode/uptime.py index 059a4c3f6..559eed24c 100755 --- a/src/op_mode/uptime.py +++ b/src/op_mode/uptime.py @@ -1,6 +1,6 @@  #!/usr/bin/env python3  # -# Copyright (C) 2021-2023 VyOS maintainers and contributors +# Copyright (C) 2021-2024 VyOS maintainers and contributors  #  # This program is free software; you can redistribute it and/or modify  # it under the terms of the GNU General Public License version 2 as @@ -29,8 +29,8 @@ def _get_uptime_seconds():  def _get_load_averages():      from re import search +    from vyos.utils.cpu import get_core_count      from vyos.utils.process import cmd -    from vyos.cpu import get_core_count      data = cmd("uptime")      matches = search(r"load average:\s*(?P<one>[0-9\.]+)\s*,\s*(?P<five>[0-9\.]+)\s*,\s*(?P<fifteen>[0-9\.]+)\s*", data) | 
