diff options
| -rw-r--r-- | interface-definitions/service_config-sync.xml.in | 6 | ||||
| -rw-r--r-- | python/vyos/configdict.py | 4 | ||||
| -rw-r--r-- | python/vyos/configsession.py | 19 | ||||
| -rw-r--r-- | python/vyos/configtree.py | 24 | ||||
| -rw-r--r-- | python/vyos/template.py | 2 | ||||
| -rw-r--r-- | python/vyos/utils/network.py | 4 | ||||
| -rw-r--r-- | python/vyos/utils/system.py | 7 | ||||
| -rw-r--r-- | smoketest/scripts/cli/base_accel_ppp_test.py | 4 | ||||
| -rwxr-xr-x | smoketest/scripts/cli/test_protocols_bgp.py | 7 | ||||
| -rwxr-xr-x | smoketest/scripts/cli/test_service_dhcp-server.py | 25 | ||||
| -rwxr-xr-x | src/conf_mode/protocols_bgp.py | 8 | ||||
| -rwxr-xr-x | src/conf_mode/service_dhcp-server.py | 2 | ||||
| -rwxr-xr-x | src/helpers/vyos_config_sync.py | 66 | ||||
| -rwxr-xr-x | src/op_mode/image_manager.py | 44 | ||||
| -rwxr-xr-x | src/services/vyos-http-api-server | 38 | 
15 files changed, 182 insertions, 78 deletions
| diff --git a/interface-definitions/service_config-sync.xml.in b/interface-definitions/service_config-sync.xml.in index cb51a33b1..e9ea9aa4b 100644 --- a/interface-definitions/service_config-sync.xml.in +++ b/interface-definitions/service_config-sync.xml.in @@ -495,6 +495,12 @@                        <valueless/>                      </properties>                    </leafNode> +                  <leafNode name="time-zone"> +                    <properties> +                      <help>Local time zone</help> +                      <valueless/> +                    </properties> +                  </leafNode>                  </children>                </node>                <leafNode name="vpn"> diff --git a/python/vyos/configdict.py b/python/vyos/configdict.py index 4111d7271..cb9f0cbb8 100644 --- a/python/vyos/configdict.py +++ b/python/vyos/configdict.py @@ -633,7 +633,7 @@ def get_accel_dict(config, base, chap_secrets, with_pki=False):      Return a dictionary with the necessary interface config keys.      """ -    from vyos.utils.system import get_half_cpus +    from vyos.cpu import get_core_count      from vyos.template import is_ipv4      dict = config.get_config_dict(base, key_mangling=('-', '_'), @@ -643,7 +643,7 @@ def get_accel_dict(config, base, chap_secrets, with_pki=False):                                    with_pki=with_pki)      # set CPUs cores to process requests -    dict.update({'thread_count' : get_half_cpus()}) +    dict.update({'thread_count' : get_core_count()})      # we need to store the path to the secrets file      dict.update({'chap_secrets_file' : chap_secrets}) diff --git a/python/vyos/configsession.py b/python/vyos/configsession.py index 90842b749..ab7a631bb 100644 --- a/python/vyos/configsession.py +++ b/python/vyos/configsession.py @@ -176,6 +176,25 @@ class ConfigSession(object):          except (ValueError, ConfigSessionError) as e:              raise ConfigSessionError(e) +    def set_section_tree(self, d: dict): +        try: +            if d: +                for p in dict_to_paths(d): +                    self.set(p) +        except (ValueError, ConfigSessionError) as e: +            raise ConfigSessionError(e) + +    def load_section_tree(self, mask: dict, d: dict): +        try: +            if mask: +                for p in dict_to_paths(mask): +                    self.delete(p) +            if d: +                for p in dict_to_paths(d): +                    self.set(p) +        except (ValueError, ConfigSessionError) as e: +            raise ConfigSessionError(e) +      def comment(self, path, value=None):          if not value:              value = [""] diff --git a/python/vyos/configtree.py b/python/vyos/configtree.py index 423fe01ed..e4b282d72 100644 --- a/python/vyos/configtree.py +++ b/python/vyos/configtree.py @@ -401,6 +401,30 @@ def union(left, right, libpath=LIBPATH):      return tree +def mask_inclusive(left, right, libpath=LIBPATH): +    if not (isinstance(left, ConfigTree) and isinstance(right, ConfigTree)): +        raise TypeError("Arguments must be instances of ConfigTree") + +    try: +        __lib = cdll.LoadLibrary(libpath) +        __mask_tree = __lib.mask_tree +        __mask_tree.argtypes = [c_void_p, c_void_p] +        __mask_tree.restype = c_void_p +        __get_error = __lib.get_error +        __get_error.argtypes = [] +        __get_error.restype = c_char_p + +        res = __mask_tree(left._get_config(), right._get_config()) +    except Exception as e: +        raise ConfigTreeError(e) +    if not res: +        msg = __get_error().decode() +        raise ConfigTreeError(msg) + +    tree = ConfigTree(address=res) + +    return tree +  def reference_tree_to_json(from_dir, to_file, libpath=LIBPATH):      try:          __lib = cdll.LoadLibrary(libpath) diff --git a/python/vyos/template.py b/python/vyos/template.py index 392322d46..1aa9ace8b 100644 --- a/python/vyos/template.py +++ b/python/vyos/template.py @@ -807,7 +807,7 @@ def kea_address_json(addresses):      out = []      for address in addresses: -        ifname = is_addr_assigned(address, return_ifname=True) +        ifname = is_addr_assigned(address, return_ifname=True, include_vrf=True)          if not ifname:              continue diff --git a/python/vyos/utils/network.py b/python/vyos/utils/network.py index cac59475d..829124b57 100644 --- a/python/vyos/utils/network.py +++ b/python/vyos/utils/network.py @@ -310,7 +310,7 @@ def is_ipv6_link_local(addr):      return False -def is_addr_assigned(ip_address, vrf=None, return_ifname=False) -> bool | str: +def is_addr_assigned(ip_address, vrf=None, return_ifname=False, include_vrf=False) -> bool | str:      """ Verify if the given IPv4/IPv6 address is assigned to any interface """      from netifaces import interfaces      from vyos.utils.network import get_interface_config @@ -321,7 +321,7 @@ def is_addr_assigned(ip_address, vrf=None, return_ifname=False) -> bool | str:          # case there is no need to proceed with this data set - continue loop          # with next element          tmp = get_interface_config(interface) -        if dict_search('master', tmp) != vrf: +        if dict_search('master', tmp) != vrf and not include_vrf:              continue          if is_intf_addr_assigned(interface, ip_address): diff --git a/python/vyos/utils/system.py b/python/vyos/utils/system.py index 5d41c0c05..55813a5f7 100644 --- a/python/vyos/utils/system.py +++ b/python/vyos/utils/system.py @@ -79,13 +79,6 @@ def sysctl_apply(sysctl_dict: dict[str, str], revert: bool = True) -> bool:      # everything applied      return True -def get_half_cpus(): -    """ return 1/2 of the numbers of available CPUs """ -    cpu = os.cpu_count() -    if cpu > 1: -        cpu /= 2 -    return int(cpu) -  def find_device_file(device):      """ Recurively search /dev for the given device file and return its full path.          If no device file was found 'None' is returned """ diff --git a/smoketest/scripts/cli/base_accel_ppp_test.py b/smoketest/scripts/cli/base_accel_ppp_test.py index ac4bbcfe5..cc27cfbe9 100644 --- a/smoketest/scripts/cli/base_accel_ppp_test.py +++ b/smoketest/scripts/cli/base_accel_ppp_test.py @@ -21,7 +21,7 @@ from configparser import ConfigParser  from vyos.configsession import ConfigSession  from vyos.configsession import ConfigSessionError  from vyos.template import is_ipv4 -from vyos.utils.system import get_half_cpus +from vyos.cpu import get_core_count  from vyos.utils.process import process_named_running  from vyos.utils.process import cmd @@ -132,7 +132,7 @@ class BasicAccelPPPTest:              return out          def verify(self, conf): -            self.assertEqual(conf["core"]["thread-count"], str(get_half_cpus())) +            self.assertEqual(conf["core"]["thread-count"], str(get_core_count()))          def test_accel_name_servers(self):              # Verify proper Name-Server configuration for IPv4 and IPv6 diff --git a/smoketest/scripts/cli/test_protocols_bgp.py b/smoketest/scripts/cli/test_protocols_bgp.py index 5f238b25a..e8556cf44 100755 --- a/smoketest/scripts/cli/test_protocols_bgp.py +++ b/smoketest/scripts/cli/test_protocols_bgp.py @@ -1241,6 +1241,13 @@ class TestProtocolsBGP(VyOSUnitTestSHIM.TestCase):          with self.assertRaises(ConfigSessionError) as e:              self.cli_commit() +        self.cli_set(base_path + ['peer-group', 'peer1', 'remote-as', 'internal']) +        self.cli_commit() + +        conf = self.getFRRconfig(' address-family l2vpn evpn') + +        self.assertIn('neighbor peer1 route-reflector-client', conf) +      def test_bgp_99_bmp(self):          target_name = 'instance-bmp'          target_address = '127.0.0.1' diff --git a/smoketest/scripts/cli/test_service_dhcp-server.py b/smoketest/scripts/cli/test_service_dhcp-server.py index 24bd14af2..abf40cd3b 100755 --- a/smoketest/scripts/cli/test_service_dhcp-server.py +++ b/smoketest/scripts/cli/test_service_dhcp-server.py @@ -738,5 +738,30 @@ class TestServiceDHCPServer(VyOSUnitTestSHIM.TestCase):          self.assertTrue(process_named_running(PROCESS_NAME))          self.assertTrue(process_named_running(CTRL_PROCESS_NAME)) +    def test_dhcp_on_interface_with_vrf(self): +        self.cli_set(['interfaces', 'ethernet', 'eth1', 'address', '10.1.1.1/30']) +        self.cli_set(['interfaces', 'ethernet', 'eth1', 'vrf', 'SMOKE-DHCP']) +        self.cli_set(['protocols', 'static', 'route', '10.1.10.0/24', 'interface', 'eth1', 'vrf', 'SMOKE-DHCP']) +        self.cli_set(['vrf', 'name', 'SMOKE-DHCP', 'protocols', 'static', 'route', '10.1.10.0/24', 'next-hop', '10.1.1.2']) +        self.cli_set(['vrf', 'name', 'SMOKE-DHCP', 'table', '1000']) +        self.cli_set(base_path + ['shared-network-name', 'SMOKE-DHCP-NETWORK', 'subnet', '10.1.10.0/24', 'subnet-id', '1']) +        self.cli_set(base_path + ['shared-network-name', 'SMOKE-DHCP-NETWORK', 'subnet', '10.1.10.0/24', 'option', 'default-router', '10.1.10.1']) +        self.cli_set(base_path + ['shared-network-name', 'SMOKE-DHCP-NETWORK', 'subnet', '10.1.10.0/24', 'option', 'name-server', '1.1.1.1']) +        self.cli_set(base_path + ['shared-network-name', 'SMOKE-DHCP-NETWORK', 'subnet', '10.1.10.0/24', 'range', '1', 'start', '10.1.10.10']) +        self.cli_set(base_path + ['shared-network-name', 'SMOKE-DHCP-NETWORK', 'subnet', '10.1.10.0/24', 'range', '1', 'stop', '10.1.10.20']) +        self.cli_set(base_path + ['listen-address', '10.1.1.1']) +        self.cli_commit() + +        config = read_file(KEA4_CONF) +        obj = loads(config) + +        self.verify_config_value(obj, ['Dhcp4', 'interfaces-config'], 'interfaces', ['eth1/10.1.1.1']) + +        self.cli_delete(['interfaces', 'ethernet', 'eth1', 'vrf', 'SMOKE-DHCP']) +        self.cli_delete(['protocols', 'static', 'route', '10.1.10.0/24', 'interface', 'eth1', 'vrf']) +        self.cli_delete(['vrf', 'name', 'SMOKE-DHCP']) +        self.cli_commit() + +  if __name__ == '__main__':      unittest.main(verbosity=2) diff --git a/src/conf_mode/protocols_bgp.py b/src/conf_mode/protocols_bgp.py index f1c59cbde..512fa26e9 100755 --- a/src/conf_mode/protocols_bgp.py +++ b/src/conf_mode/protocols_bgp.py @@ -450,15 +450,15 @@ def verify(bgp):                              verify_route_map(afi_config['route_map'][tmp], bgp)                  if 'route_reflector_client' in afi_config: -                    if 'remote_as' in peer_config and peer_config['remote_as'] != 'internal' and peer_config['remote_as'] != bgp['system_as']: +                    peer_group_as = peer_config.get('remote_as') + +                    if peer_group_as is None or (peer_group_as != 'internal' and peer_group_as != bgp['system_as']):                          raise ConfigError('route-reflector-client only supported for iBGP peers')                      else:                          if 'peer_group' in peer_config:                              peer_group_as = dict_search(f'peer_group.{peer_group}.remote_as', bgp) -                            if peer_group_as != None and peer_group_as != 'internal' and peer_group_as != bgp['system_as']: +                            if peer_group_as is None or (peer_group_as != 'internal' and peer_group_as != bgp['system_as']):                                  raise ConfigError('route-reflector-client only supported for iBGP peers') -                        else: -                            raise ConfigError('route-reflector-client only supported for iBGP peers')      # Throw an error if a peer group is not configured for allow range      for prefix in dict_search('listen.range', bgp) or []: diff --git a/src/conf_mode/service_dhcp-server.py b/src/conf_mode/service_dhcp-server.py index ba3d69b07..bf4454fda 100755 --- a/src/conf_mode/service_dhcp-server.py +++ b/src/conf_mode/service_dhcp-server.py @@ -316,7 +316,7 @@ def verify(dhcp):                  raise ConfigError(f'Invalid CA certificate specified for DHCP high-availability')      for address in (dict_search('listen_address', dhcp) or []): -        if is_addr_assigned(address): +        if is_addr_assigned(address, include_vrf=True):              listen_ok = True              # no need to probe further networks, we have one that is valid              continue diff --git a/src/helpers/vyos_config_sync.py b/src/helpers/vyos_config_sync.py index 77f7cd810..0604b2837 100755 --- a/src/helpers/vyos_config_sync.py +++ b/src/helpers/vyos_config_sync.py @@ -21,9 +21,11 @@ import json  import requests  import urllib3  import logging -from typing import Optional, List, Union, Dict, Any +from typing import Optional, List, Tuple, Dict, Any  from vyos.config import Config +from vyos.configtree import ConfigTree +from vyos.configtree import mask_inclusive  from vyos.template import bracketize_ipv6 @@ -61,39 +63,45 @@ def post_request(url: str, -def retrieve_config(section: Optional[List[str]] = None) -> Optional[Dict[str, Any]]: +def retrieve_config(sections: List[list[str]]) -> Tuple[Dict[str, Any], Dict[str, Any]]:      """Retrieves the configuration from the local server.      Args: -        section: List[str]: The section of the configuration to retrieve. -        Default is None. +        sections: List[list[str]]: The list of sections of the configuration +        to retrieve, given as list of paths.      Returns: -        Optional[Dict[str, Any]]: The retrieved configuration as a -        dictionary, or None if an error occurred. +        Tuple[Dict[str, Any],Dict[str,Any]]: The tuple (mask, config) where: +            - mask: The tree of paths of sections, as a dictionary. +            - config: The subtree of masked config data, as a dictionary.      """ -    if section is None: -        section = [] -    conf = Config() -    config = conf.get_config_dict(section, get_first_key=True) -    if config: -        return config -    return None +    mask = ConfigTree('') +    for section in sections: +        mask.set(section) +    mask_dict = json.loads(mask.to_json()) + +    config = Config() +    config_tree = config.get_config_tree() +    masked = mask_inclusive(config_tree, mask) +    config_dict = json.loads(masked.to_json()) +    return mask_dict, config_dict  def set_remote_config(          address: str,          key: str, -        commands: List[Dict[str, Any]]) -> Optional[Dict[str, Any]]: +        op: str, +        mask: Dict[str, Any], +        config: Dict[str, Any]) -> Optional[Dict[str, Any]]:      """Loads the VyOS configuration in JSON format to a remote host.      Args:          address (str): The address of the remote host.          key (str): The key to use for loading the configuration. -        commands (list): List of set/load commands for request, given as: -                         [{'op': str, 'path': list[str], 'section': dict}, -                         ...] +        op (str): The operation to perform (set or load). +        mask (dict): The dict of paths in sections. +        config (dict): The dict of masked config data.      Returns:          Optional[Dict[str, Any]]: The response from the remote host as a @@ -107,7 +115,9 @@ def set_remote_config(      url = f'https://{address}/configure-section'      data = json.dumps({ -        'commands': commands, +        'op': op, +        'mask': mask, +        'config': config,          'key': key      }) @@ -140,23 +150,15 @@ def config_sync(secondary_address: str,      )      # Sync sections ("nat", "firewall", etc) -    commands = [] -    for section in sections: -        config_json = retrieve_config(section=section) -        # Check if config path deesn't exist, for example "set nat" -        # we set empty value for config_json data -        # As we cannot send to the remote host section "nat None" config -        if not config_json: -            config_json = {} -        logger.debug( -            f"Retrieved config for section '{section}': {config_json}") - -        d = {'op': mode, 'path': section, 'section': config_json} -        commands.append(d) +    mask_dict, config_dict = retrieve_config(sections) +    logger.debug( +        f"Retrieved config for sections '{sections}': {config_dict}")      set_config = set_remote_config(address=secondary_address,                                     key=secondary_key, -                                   commands=commands) +                                   op=mode, +                                   mask=mask_dict, +                                   config=config_dict)      logger.debug(f"Set config for sections '{sections}': {set_config}") diff --git a/src/op_mode/image_manager.py b/src/op_mode/image_manager.py index 1510a667c..1cfb5f5a1 100755 --- a/src/op_mode/image_manager.py +++ b/src/op_mode/image_manager.py @@ -33,27 +33,31 @@ DELETE_IMAGE_PROMPT_MSG: str = 'Select an image to delete:'  MSG_DELETE_IMAGE_RUNNING: str = 'Currently running image cannot be deleted; reboot into another image first'  MSG_DELETE_IMAGE_DEFAULT: str = 'Default image cannot be deleted; set another image as default first' -def annotated_list(images_list: list[str]) -> list[str]: +def annotate_list(images_list: list[str]) -> list[str]:      """Annotate list of images with additional info      Args:          images_list (list[str]): a list of image names      Returns: -        list[str]: a list of image names with additional info +        dict[str, str]: a dict of annotations indexed by image name      """ -    index_running: int = None -    index_default: int = None -    try: -        index_running = images_list.index(image.get_running_image()) -        index_default = images_list.index(image.get_default_image()) -    except ValueError: -        pass -    if index_running is not None: -        images_list[index_running] += ' (running)' -    if index_default is not None: -        images_list[index_default] += ' (default boot)' -    return images_list +    running = image.get_running_image() +    default = image.get_default_image() +    annotated = {} +    for image_name in images_list: +        annotated[image_name] = f'{image_name}' +    if running in images_list: +        annotated[running] = annotated[running] + ' (running)' +    if default in images_list: +        annotated[default] = annotated[default] + ' (default boot)' +    return annotated + +def define_format(images): +    annotated = annotate_list(images) +    def format_selection(image_name): +        return annotated[image_name] +    return format_selection  @compat.grub_cfg_update  def delete_image(image_name: Optional[str] = None, @@ -63,14 +67,16 @@ def delete_image(image_name: Optional[str] = None,      Args:          image_name (str): a name of image to delete      """ -    available_images: list[str] = annotated_list(grub.version_list()) +    available_images: list[str] = grub.version_list() +    format_selection = define_format(available_images)      if image_name is None:          if no_prompt:              exit('An image name is required for delete action')          else:              image_name = select_entry(available_images,                                        DELETE_IMAGE_LIST_MSG, -                                      DELETE_IMAGE_PROMPT_MSG) +                                      DELETE_IMAGE_PROMPT_MSG, +                                      format_selection)      if image_name == image.get_running_image():          exit(MSG_DELETE_IMAGE_RUNNING)      if image_name == image.get_default_image(): @@ -113,14 +119,16 @@ def set_image(image_name: Optional[str] = None,      Args:          image_name (str): an image name      """ -    available_images: list[str] = annotated_list(grub.version_list()) +    available_images: list[str] = grub.version_list() +    format_selection = define_format(available_images)      if image_name is None:          if not prompt:              exit('An image name is required for set action')          else:              image_name = select_entry(available_images,                                        SET_IMAGE_LIST_MSG, -                                      SET_IMAGE_PROMPT_MSG) +                                      SET_IMAGE_PROMPT_MSG, +                                      format_selection)      if image_name == image.get_default_image():          exit(f'The image "{image_name}" already configured as default')      if image_name not in available_images: diff --git a/src/services/vyos-http-api-server b/src/services/vyos-http-api-server index 77870a84c..ecbf6fcf9 100755 --- a/src/services/vyos-http-api-server +++ b/src/services/vyos-http-api-server @@ -140,6 +140,14 @@ class ConfigSectionModel(ApiModel, BaseConfigSectionModel):  class ConfigSectionListModel(ApiModel):      commands: List[BaseConfigSectionModel] +class BaseConfigSectionTreeModel(BaseModel): +    op: StrictStr +    mask: Dict +    config: Dict + +class ConfigSectionTreeModel(ApiModel, BaseConfigSectionTreeModel): +    pass +  class RetrieveModel(ApiModel):      op: StrictStr      path: List[StrictStr] @@ -374,7 +382,7 @@ class MultipartRequest(Request):                          self.form_err = (400,                          f"Malformed command '{c}': missing 'op' field")                      if endpoint not in ('/config-file', '/container-image', -                                        '/image'): +                                        '/image', '/configure-section'):                          if 'path' not in c:                              self.form_err = (400,                              f"Malformed command '{c}': missing 'path' field") @@ -392,12 +400,9 @@ class MultipartRequest(Request):                              self.form_err = (400,                              f"Malformed command '{c}': 'value' field must be a string")                      if endpoint in ('/configure-section'): -                        if 'section' not in c: -                            self.form_err = (400, -                            f"Malformed command '{c}': missing 'section' field") -                        elif not isinstance(c['section'], dict): +                        if 'section' not in c and 'config' not in c:                              self.form_err = (400, -                            f"Malformed command '{c}': 'section' field must be JSON of dict") +                            f"Malformed command '{c}': missing 'section' or 'config' field")                  if 'key' not in forms and 'key' not in merge:                      self.form_err = (401, "Valid API key is required") @@ -455,7 +460,8 @@ def call_commit(s: ConfigSession):              logger.warning(f"ConfigSessionError: {e}")  def _configure_op(data: Union[ConfigureModel, ConfigureListModel, -                              ConfigSectionModel, ConfigSectionListModel], +                              ConfigSectionModel, ConfigSectionListModel, +                              ConfigSectionTreeModel],                    request: Request, background_tasks: BackgroundTasks):      session = app.state.vyos_session      env = session.get_session_env() @@ -481,7 +487,8 @@ def _configure_op(data: Union[ConfigureModel, ConfigureListModel,      try:          for c in data:              op = c.op -            path = c.path +            if not isinstance(c, BaseConfigSectionTreeModel): +                path = c.path              if isinstance(c, BaseConfigureModel):                  if c.value: @@ -495,6 +502,10 @@ def _configure_op(data: Union[ConfigureModel, ConfigureListModel,              elif isinstance(c, BaseConfigSectionModel):                  section = c.section +            elif isinstance(c, BaseConfigSectionTreeModel): +                mask = c.mask +                config = c.config +              if isinstance(c, BaseConfigureModel):                  if op == 'set':                      session.set(path, value=value) @@ -514,6 +525,14 @@ def _configure_op(data: Union[ConfigureModel, ConfigureListModel,                      session.load_section(path, section)                  else:                      raise ConfigSessionError(f"'{op}' is not a valid operation") + +            elif isinstance(c, BaseConfigSectionTreeModel): +                if op == 'set': +                    session.set_section_tree(config) +                elif op == 'load': +                    session.load_section_tree(mask, config) +                else: +                    raise ConfigSessionError(f"'{op}' is not a valid operation")          # end for          config = Config(session_env=env)          d = get_config_diff(config) @@ -554,7 +573,8 @@ def configure_op(data: Union[ConfigureModel,  @app.post('/configure-section')  def configure_section_op(data: Union[ConfigSectionModel, -                                     ConfigSectionListModel], +                                     ConfigSectionListModel, +                                     ConfigSectionTreeModel],                                 request: Request, background_tasks: BackgroundTasks):      return _configure_op(data, request, background_tasks) | 
