code
stringlengths
10
58.5k
file_path
stringlengths
53
173
#!/usr/bin/env python # -*- coding: utf-8 -*- from __future__ import absolute_import, print_function, division class IxiaError(RuntimeError): ''' Ixia error ''' TCL_NOT_FOUND = 1 HLTAPI_NOT_FOUND = 2 HLTAPI_NOT_PREPARED = 3 HLTAPI_NOT_INITED = 4 COMMAND_FAIL = 5, WINREG_NOT_FOUND = 6 IXNETWORK_API_NOT_FOUND = 7 XML_PROCESS_FAIL = 8 IXNET_ERROR = 9 HLAPI_NO_SESSION = 10 IXNETWORK_TCL_API_NOT_FOUND = 11 __error_texts = { TCL_NOT_FOUND: 'No compatible TCL interpretor could be found', HLTAPI_NOT_FOUND: 'No HLTAPI installation found', HLTAPI_NOT_PREPARED: 'Unable to prepare the initialization of Ixia TCL package', HLTAPI_NOT_INITED: 'Unable to initialize HLTAPI', COMMAND_FAIL: 'HLTAPI command failed', WINREG_NOT_FOUND: 'Could not find a product in windows registry. Please specify manually in constructor', IXNETWORK_API_NOT_FOUND: 'IxNetwork python API was not found', XML_PROCESS_FAIL: 'Failed to process return xml', IXNET_ERROR: 'Ixnetwork error occured', HLAPI_NO_SESSION: 'No NGPF session was found. Please call IxiaNgpf.connect first', IXNETWORK_TCL_API_NOT_FOUND: 'IxNetwork TCL API/library was not found', } def __init__(self, msgid, additional_info=''): if msgid not in self.__error_texts.keys(): raise ValueError('message id is incorrect') self.msgid = msgid self.message = self.__error_texts[msgid] if additional_info: self.message += '\nAdditional error info:\n' + additional_info super(self.__class__, self).__init__(self.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiaerror.py_part1
import sys import ixiautil import uuid from ixiaerror import IxiaError from ixiautil import Logger from ixiahlt import IxiaHlt class IxiaNgpf(object): ''' Python wrapper class over the NGPF commands ''' def __init__(self, ixiahlt): self.__logger = Logger('ixiangpf', print_timestamp=False) try: import IxNetwork except (ImportError, ): raise IxiaError(IxiaError.IXNETWORK_API_NOT_FOUND) self.ixiahlt = ixiahlt self.ixnet = IxNetwork.IxNet() self.__IxNetwork = IxNetwork self.__session_id = None self.NONE = "NO-OPTION-SELECTED-ECF9612A-0DA3-4096-88B3-3941A60BA0F5" def __ixn_call(self, func_name, *args, **kwargs): try: return getattr(self.ixnet, func_name)(*args, **kwargs) except (self.__IxNetwork.IxNetError, ): e = sys.exc_info()[1] raise IxiaError(IxiaError.IXNET_ERROR, str(e)) def __get_session_status(self): ''' This method blocks the client until the execution of the current command on the opened session is completed Notes: 1. The method will display intermediate messages that are available, including the command's final status. 2. The method returns the result (in a dict format) of the command currently executing ''' while True: # Below command will block until a command response or a message is available # We need to run it in a loop until a result is available. return_string = self.__ixn_call('execute', 'GetSessionStatus', self.__session_id) quote_escape_guid = "{PYTHON-RETURN-SEPARATOR-94C8ABEE-4749-4878-98B0-E3CC4BFCEB72}" return_string = return_string.replace(quote_escape_guid, "\\\"") session_status = eval(return_string) def _print_messages(category): if 'messages' in session_status: for (k, v) in session_status['messages'].items(): self.__logger.log(category, v) if session_status['status'] == IxiaHlt.SUCCESS: # Print any status messages that are found if self.__logger.ENABLED: _print_messages(Logger.CAT_INFO) if 'result' in session_status: return session_status['result'] else: # Command was not handled on IxNet side and we have no result # If there are messages received log them as warn _print_messages(Logger.CAT_WARN) # Return the user the entire dict as it might contain error info. return session_status def __set_command_parameters(self, command_id, hlpy_args): ''' This method requires the following input parameters: 1. A dict whose keys represent attribute names and whose values represent the corresponding attribute values. The method uses the specified ixnetwork connection to set the sdm attributes of the specified command and commits the changes at the end of the call. ''' for (k, v) in hlpy_args.items(): # Required format for IxN setA: objRef, -name, value self.__ixn_call('setAttribute', command_id, '-' + k, v) return self.__ixn_call('commit') def __execute_command(self, command_name, not_implemented_params, mandatory_params, file_params, hlpy_args): ''' This method will call the specified high level API command using the specified arguments on the currently opened session. The method will also display any intermediate status messages that are available before the command execution is finished. ''' legacy_result = {} if self.__session_id is None: raise IxiaError(IxiaError.HLAPI_NO_SESSION) # Extract the arguments that are not implemented by the ixiangpf namespace not_implemented_args = ixiautil.extract_specified_args(not_implemented_params, hlpy_args) # Extract the mandatory arguments mandatory_args = ixiautil.extract_specified_args(mandatory_params, hlpy_args) # Extract and process file arguments file_args = ixiautil.extract_specified_args(file_params, hlpy_args) self.__process_file_args(hlpy_args, file_args) if not_implemented_params and mandatory_args: legacy_result = getattr(self.ixiahlt, command_name)(**not_implemented_args) if legacy_result['status'] == IxiaHlt.FAIL: return legacy_result # Create the command node under the current session command_node = self.__ixn_call('add', self.__session_id, command_name) self.__ixn_call('commit') # Populate the command's arguments hlpy_args['args_to_validate'] = self.__get_args_to_validate(hlpy_args) # Call the ixiangpf function self.__set_command_parameters(command_node, hlpy_args) self.__ixn_call('execute', 'executeCommand', command_node) # Block until the command's execution completes and return the result ixiangpf_result = self.__get_session_status() if not int(ixiangpf_result['command_handled']): # Ignore framework's response and call the ixiahlt implementation instead del hlpy_args['args_to_validate'] return getattr(self.ixiahlt, command_name)(**hlpy_args) # Just remove the command_handled key before returning del ixiangpf_result['command_handled'] return ixiautil.merge_dicts(legacy_result, ixiangpf_result) def __get_port_mapping(self): ''' Accessor for the GetPortMapping util ''' mapping_string = self.ixiahlt.ixiatcl._eval('GetPortMapping') return mapping_string[1:-1] def __requires_hlapi_connect(self): ''' Accessor for the RequiresHlapiConnect util ''' return self.ixiahlt.ixiatcl._eval('RequiresHlapiConnect') def __get_args_to_validate(self, hlpy_args): ''' This method accepts the following input parameter: 1. A dict whose keys represent attribute names and whose values represent the corresponding attribute values. The method parses the references and create a string that can be passed to the HLAPI in order to validate the corresponding arguments. ''' tcl_string = self.ixiahlt.ixiatcl._tcl_flatten(hlpy_args, key_prefix='-') return tcl_string def __process_file_args(self, hlpy_args, file_args): ''' This method takes the file_args dict and copies all files to the IxNetwork server. The original file names are then replaced with the new locations from the server. ''' server_file_args = {} for (i, (k, v)) in enumerate(file_args.items()): # add guid to the server file name persistencePath = self.__ixn_call('getAttribute', '/globals', '-persistencePath') file_guid = "pythonServerFile" + str(uuid.uuid4()) + "%s" server_file_args[k] = persistencePath + '\\' + file_guid % i client_stream = self.__ixn_call('readFrom', v) server_stream = self.__ixn_call('writeTo', server_file_args[k], '-ixNetRelative', '-overwrite') self.__ixn_call('execute', 'copyFile', client_stream, server_stream) hlpy_args.update(server_file_args) @property def INTERACTIVE(self): return self.__logger.ENABLED # attach all hlapi_framework commands import ixiangpf_commands.cleanup_session import ixiangpf_commands.clear_ixiangpf_cache import ixiangpf_commands.connect import ixiangpf_commands.dhcp_client_extension_config import ixiangpf_commands.dhcp_extension_stats import ixiangpf_commands.dhcp_server_extension_config import ixiangpf_commands.emulation_ancp_config import ixiangpf_commands.emulation_ancp_control import ixiangpf_commands.emulation_ancp_stats import ixiangpf_commands.emulation_ancp_subscriber_lines_config import ixiangpf_commands.emulation_bfd_config import ixiangpf_commands.emulation_bfd_control import ixiangpf_commands.emulation_bfd_info import ixiangpf_commands.emulation_bgp_config import ixiangpf_commands.emulation_bgp_control import ixiangpf_commands.emulation_bgp_flow_spec_config import ixiangpf_commands.emulation_bgp_info import ixiangpf_commands.emulation_bgp_mvpn_config import ixiangpf_commands.emulation_bgp_route_config import ixiangpf_commands.emulation_bgp_srte_policies_config import ixiangpf_commands.emulation_bondedgre_config import ixiangpf_commands.emulation_bondedgre_control import ixiangpf_commands.emulation_bondedgre_info import ixiangpf_commands.emulation_cfm_network_group_config import ixiangpf_commands.emulation_dhcp_config import ixiangpf_commands.emulation_dhcp_control import ixiangpf_commands.emulation_dhcp_group_config import ixiangpf_commands.emulation_dhcp_server_config import ixiangpf_commands.emulation_dhcp_server_control import ixiangpf_commands.emulation_dhcp_server_stats import ixiangpf_commands.emulation_dhcp_stats import ixiangpf_commands.emulation_dotonex_config import ixiangpf_commands.emulation_dotonex_control import ixiangpf_commands.emulation_dotonex_info import ixiangpf_commands.emulation_esmc_config import ixiangpf_commands.emulation_esmc_control import ixiangpf_commands.emulation_esmc_info import ixiangpf_commands.emulation_evpn_vxlan_wizard import ixiangpf_commands.emulation_igmp_config import ixiangpf_commands.emulation_igmp_control import ixiangpf_commands.emulation_igmp_group_config import ixiangpf_commands.emulation_igmp_info import ixiangpf_commands.emulation_igmp_querier_config import ixiangpf_commands.emulation_isis_config import ixiangpf_commands.emulation_isis_control import ixiangpf_commands.emulation_isis_info import ixiangpf_commands.emulation_isis_network_group_config import ixiangpf_commands.emulation_isis_srv6_config import ixiangpf_commands.emulation_lacp_control import ixiangpf_commands.emulation_lacp_info import ixiangpf_commands.emulation_lacp_link_config import ixiangpf_commands.emulation_lag_config import ixiangpf_commands.emulation_ldp_config import ixiangpf_commands.emulation_ldp_control import ixiangpf_commands.emulation_ldp_info import ixiangpf_commands.emulation_ldp_route_config import ixiangpf_commands.emulation_macsec_config import ixiangpf_commands.emulation_macsec_control import ixiangpf_commands.emulation_macsec_info import ixiangpf_commands.emulation_mka_config import ixiangpf_commands.emulation_mka_control import ixiangpf_commands.emulation_mka_info import ixiangpf_commands.emulation_mld_config import ixiangpf_commands.emulation_mld_control import ixiangpf_commands.emulation_mld_group_config import ixiangpf_commands.emulation_mld_info import ixiangpf_commands.emulation_mld_querier_config import ixiangpf_commands.emulation_msrp_control import ixiangpf_commands.emulation_msrp_info import ixiangpf_commands.emulation_msrp_listener_config import ixiangpf_commands.emulation_msrp_talker_config import ixiangpf_commands.emulation_multicast_group_config import ixiangpf_commands.emulation_multicast_source_config import ixiangpf_commands.emulation_netconf_client_config import ixiangpf_commands.emulation_netconf_client_control import ixiangpf_commands.emulation_netconf_client_info import ixiangpf_commands.emulation_netconf_server_config import ixiangpf_commands.emulation_netconf_server_control import ixiangpf_commands.emulation_netconf_server_info import ixiangpf_commands.emulation_ngpf_cfm_config import ixiangpf_commands.emulation_ngpf_cfm_control import ixiangpf_commands.emulation_ngpf_cfm_info import ixiangpf_commands.emulation_ospf_config import ixiangpf_commands.emulation_ospf_control import ixiangpf_commands.emulation_ospf_info import ixiangpf_commands.emulation_ospf_lsa_config import ixiangpf_commands.emulation_ospf_network_group_config import ixiangpf_commands.emulation_ospf_topology_route_config import ixiangpf_commands.emulation_ovsdb_config import ixiangpf_commands.emulation_ovsdb_control
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf.py_part1
The original file names are then replaced with the new locations from the server. ''' server_file_args = {} for (i, (k, v)) in enumerate(file_args.items()): # add guid to the server file name persistencePath = self.__ixn_call('getAttribute', '/globals', '-persistencePath') file_guid = "pythonServerFile" + str(uuid.uuid4()) + "%s" server_file_args[k] = persistencePath + '\\' + file_guid % i client_stream = self.__ixn_call('readFrom', v) server_stream = self.__ixn_call('writeTo', server_file_args[k], '-ixNetRelative', '-overwrite') self.__ixn_call('execute', 'copyFile', client_stream, server_stream) hlpy_args.update(server_file_args) @property def INTERACTIVE(self): return self.__logger.ENABLED # attach all hlapi_framework commands import ixiangpf_commands.cleanup_session import ixiangpf_commands.clear_ixiangpf_cache import ixiangpf_commands.connect import ixiangpf_commands.dhcp_client_extension_config import ixiangpf_commands.dhcp_extension_stats import ixiangpf_commands.dhcp_server_extension_config import ixiangpf_commands.emulation_ancp_config import ixiangpf_commands.emulation_ancp_control import ixiangpf_commands.emulation_ancp_stats import ixiangpf_commands.emulation_ancp_subscriber_lines_config import ixiangpf_commands.emulation_bfd_config import ixiangpf_commands.emulation_bfd_control import ixiangpf_commands.emulation_bfd_info import ixiangpf_commands.emulation_bgp_config import ixiangpf_commands.emulation_bgp_control import ixiangpf_commands.emulation_bgp_flow_spec_config import ixiangpf_commands.emulation_bgp_info import ixiangpf_commands.emulation_bgp_mvpn_config import ixiangpf_commands.emulation_bgp_route_config import ixiangpf_commands.emulation_bgp_srte_policies_config import ixiangpf_commands.emulation_bondedgre_config import ixiangpf_commands.emulation_bondedgre_control import ixiangpf_commands.emulation_bondedgre_info import ixiangpf_commands.emulation_cfm_network_group_config import ixiangpf_commands.emulation_dhcp_config import ixiangpf_commands.emulation_dhcp_control import ixiangpf_commands.emulation_dhcp_group_config import ixiangpf_commands.emulation_dhcp_server_config import ixiangpf_commands.emulation_dhcp_server_control import ixiangpf_commands.emulation_dhcp_server_stats import ixiangpf_commands.emulation_dhcp_stats import ixiangpf_commands.emulation_dotonex_config import ixiangpf_commands.emulation_dotonex_control import ixiangpf_commands.emulation_dotonex_info import ixiangpf_commands.emulation_esmc_config import ixiangpf_commands.emulation_esmc_control import ixiangpf_commands.emulation_esmc_info import ixiangpf_commands.emulation_evpn_vxlan_wizard import ixiangpf_commands.emulation_igmp_config import ixiangpf_commands.emulation_igmp_control import ixiangpf_commands.emulation_igmp_group_config import ixiangpf_commands.emulation_igmp_info import ixiangpf_commands.emulation_igmp_querier_config import ixiangpf_commands.emulation_isis_config import ixiangpf_commands.emulation_isis_control import ixiangpf_commands.emulation_isis_info import ixiangpf_commands.emulation_isis_network_group_config import ixiangpf_commands.emulation_isis_srv6_config import ixiangpf_commands.emulation_lacp_control import ixiangpf_commands.emulation_lacp_info import ixiangpf_commands.emulation_lacp_link_config import ixiangpf_commands.emulation_lag_config import ixiangpf_commands.emulation_ldp_config import ixiangpf_commands.emulation_ldp_control import ixiangpf_commands.emulation_ldp_info import ixiangpf_commands.emulation_ldp_route_config import ixiangpf_commands.emulation_macsec_config import ixiangpf_commands.emulation_macsec_control import ixiangpf_commands.emulation_macsec_info import ixiangpf_commands.emulation_mka_config import ixiangpf_commands.emulation_mka_control import ixiangpf_commands.emulation_mka_info import ixiangpf_commands.emulation_mld_config import ixiangpf_commands.emulation_mld_control import ixiangpf_commands.emulation_mld_group_config import ixiangpf_commands.emulation_mld_info import ixiangpf_commands.emulation_mld_querier_config import ixiangpf_commands.emulation_msrp_control import ixiangpf_commands.emulation_msrp_info import ixiangpf_commands.emulation_msrp_listener_config import ixiangpf_commands.emulation_msrp_talker_config import ixiangpf_commands.emulation_multicast_group_config import ixiangpf_commands.emulation_multicast_source_config import ixiangpf_commands.emulation_netconf_client_config import ixiangpf_commands.emulation_netconf_client_control import ixiangpf_commands.emulation_netconf_client_info import ixiangpf_commands.emulation_netconf_server_config import ixiangpf_commands.emulation_netconf_server_control import ixiangpf_commands.emulation_netconf_server_info import ixiangpf_commands.emulation_ngpf_cfm_config import ixiangpf_commands.emulation_ngpf_cfm_control import ixiangpf_commands.emulation_ngpf_cfm_info import ixiangpf_commands.emulation_ospf_config import ixiangpf_commands.emulation_ospf_control import ixiangpf_commands.emulation_ospf_info import ixiangpf_commands.emulation_ospf_lsa_config import ixiangpf_commands.emulation_ospf_network_group_config import ixiangpf_commands.emulation_ospf_topology_route_config import ixiangpf_commands.emulation_ovsdb_config import ixiangpf_commands.emulation_ovsdb_control import ixiangpf_commands.emulation_ovsdb_info import ixiangpf_commands.emulation_pcc_config import ixiangpf_commands.emulation_pcc_control import ixiangpf_commands.emulation_pcc_info import ixiangpf_commands.emulation_pce_config import ixiangpf_commands.emulation_pce_control import ixiangpf_commands.emulation_pce_info import ixiangpf_commands.emulation_pim_config import ixiangpf_commands.emulation_pim_control import ixiangpf_commands.emulation_pim_group_config import ixiangpf_commands.emulation_pim_info import ixiangpf_commands.emulation_rsvpte_tunnel_control import ixiangpf_commands.emulation_rsvp_config import ixiangpf_commands.emulation_rsvp_control import ixiangpf_commands.emulation_rsvp_info import ixiangpf_commands.emulation_rsvp_tunnel_config import ixiangpf_commands.emulation_static_macsec_config import ixiangpf_commands.emulation_static_macsec_control import ixiangpf_commands.emulation_static_macsec_info import ixiangpf_commands.emulation_vxlan_config import ixiangpf_commands.emulation_vxlan_control import ixiangpf_commands.emulation_vxlan_stats import ixiangpf_commands.get_execution_log import ixiangpf_commands.interface_config import ixiangpf_commands.internal_compress_overlays import ixiangpf_commands.internal_legacy_control import ixiangpf_commands.ixnetwork_traffic_control import ixiangpf_commands.ixvm_config import ixiangpf_commands.ixvm_control import ixiangpf_commands.ixvm_info import ixiangpf_commands.l2tp_config import ixiangpf_commands.l2tp_control import ixiangpf_commands.l2tp_stats import ixiangpf_commands.legacy_commands import ixiangpf_commands.multivalue_config import ixiangpf_commands.multivalue_subset_config import ixiangpf_commands.network_group_config import ixiangpf_commands.pppox_config import ixiangpf_commands.pppox_control import ixiangpf_commands.pppox_stats import ixiangpf_commands.protocol_info import ixiangpf_commands.ptp_globals_config import ixiangpf_commands.ptp_options_config import ixiangpf_commands.ptp_over_ip_config import ixiangpf_commands.ptp_over_ip_control import ixiangpf_commands.ptp_over_ip_stats import ixiangpf_commands.ptp_over_mac_config import ixiangpf_commands.ptp_over_mac_control import ixiangpf_commands.ptp_over_mac_stats import ixiangpf_commands.test_control import ixiangpf_commands.tlv_config import ixiangpf_commands.topology_config import ixiangpf_commands.traffic_handle_translator import ixiangpf_commands.traffic_l47_config import ixiangpf_commands.traffic_tag_config import ixiangpf_commands.wizard_multivalue_config
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf.py_part2
import ixiangpf_commands.emulation_ovsdb_control import ixiangpf_commands.emulation_ovsdb_info import ixiangpf_commands.emulation_pcc_config import ixiangpf_commands.emulation_pcc_control import ixiangpf_commands.emulation_pcc_info import ixiangpf_commands.emulation_pce_config import ixiangpf_commands.emulation_pce_control import ixiangpf_commands.emulation_pce_info import ixiangpf_commands.emulation_pim_config import ixiangpf_commands.emulation_pim_control import ixiangpf_commands.emulation_pim_group_config import ixiangpf_commands.emulation_pim_info import ixiangpf_commands.emulation_rsvpte_tunnel_control import ixiangpf_commands.emulation_rsvp_config import ixiangpf_commands.emulation_rsvp_control import ixiangpf_commands.emulation_rsvp_info import ixiangpf_commands.emulation_rsvp_tunnel_config import ixiangpf_commands.emulation_static_macsec_config import ixiangpf_commands.emulation_static_macsec_control import ixiangpf_commands.emulation_static_macsec_info import ixiangpf_commands.emulation_vxlan_config import ixiangpf_commands.emulation_vxlan_control import ixiangpf_commands.emulation_vxlan_stats import ixiangpf_commands.get_execution_log import ixiangpf_commands.interface_config import ixiangpf_commands.internal_compress_overlays import ixiangpf_commands.internal_legacy_control import ixiangpf_commands.ixnetwork_traffic_control import ixiangpf_commands.ixvm_config import ixiangpf_commands.ixvm_control import ixiangpf_commands.ixvm_info import ixiangpf_commands.l2tp_config import ixiangpf_commands.l2tp_control import ixiangpf_commands.l2tp_stats import ixiangpf_commands.legacy_commands import ixiangpf_commands.multivalue_config import ixiangpf_commands.multivalue_subset_config import ixiangpf_commands.network_group_config import ixiangpf_commands.pppox_config import ixiangpf_commands.pppox_control import ixiangpf_commands.pppox_stats import ixiangpf_commands.protocol_info import ixiangpf_commands.ptp_globals_config import ixiangpf_commands.ptp_options_config import ixiangpf_commands.ptp_over_ip_config import ixiangpf_commands.ptp_over_ip_control import ixiangpf_commands.ptp_over_ip_stats import ixiangpf_commands.ptp_over_mac_config import ixiangpf_commands.ptp_over_mac_control import ixiangpf_commands.ptp_over_mac_stats import ixiangpf_commands.test_control import ixiangpf_commands.tlv_config import ixiangpf_commands.topology_config import ixiangpf_commands.traffic_handle_translator import ixiangpf_commands.traffic_l47_config import ixiangpf_commands.traffic_tag_config import ixiangpf_commands.wizard_multivalue_config
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf.py_part3
#!/usr/bin/env python # -*- coding: utf-8 -*- from __future__ import absolute_import, print_function, division __version__ = '1.0'
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/__init__.py_part1
#!/usr/bin/env python # -*- coding: utf-8 -*- from __future__ import absolute_import, print_function, division import getpass import itertools import platform import re import sys import xml.etree.ElementTree as ElementTree from datetime import datetime from ixiaerror import IxiaError class Logger(object): CAT_INFO = 'info' CAT_WARN = 'warn' CAT_DEBUG = 'debug' ENABLED = True def __init__(self, prefix, print_timestamp=True): self.prefix = prefix self.print_timestamp = print_timestamp def log(self, category, msg): parts = [] if self.print_timestamp: parts.append(datetime.now().strftime('%H:%M:%S.%f')) parts.append(self.prefix) parts.append(category) parts.append(' ' + msg) if self.ENABLED: print(':'.join(parts)) def info(self, msg): self.log(Logger.CAT_INFO, msg) def warn(self, msg): self.log(Logger.CAT_WARN, msg) def debug(self, msg): self.log(Logger.CAT_DEBUG, msg) class _PartialMetaclass(type): ''' Metaclass used for adding methods to existing classes. This is needed because of name mangling of __prefixed variabled and methods. ''' def __new__(cls, name, bases, dict): if not bases: return type.__new__(cls, name, bases, dict) if len(bases) != 2: raise TypeError("Partial classes need to have exactly 2 bases") base = bases[1] # add the new methods to the existing base class for k, v in dict.items(): if k == '__module__': continue setattr(base, k, v) return base # compatibility for python2 and python3 def __metaclass(meta, *bases): class metaclass(meta): def __new__(cls, name, this_bases, d): return meta(name, bases, d) return type.__new__(metaclass, 'temporary_class', (), {}) class PartialClass(__metaclass(_PartialMetaclass)): pass def version_sorted(version_list): ''' sort a dotted-style version list ''' # split versions list and make each sublist item an int for sorting split_versions = [[int(y) for y in x.split('.')] for x in version_list] # sort by internal list integers and redo the string versions return ['.'.join([str(y) for y in x]) for x in sorted(split_versions)] def get_hostname(): ''' This method returns the hostname of the client machine or a predefined string if the hostname cannot be determined ''' hostname = platform.node() if hostname: return hostname return "UNKNOWN MACHINE" def get_username(): ''' This method returns the username of the client machine. A predified string ("UNKNOWN HLAPI USER") will be returned in case of failing to get the current username. ''' username = "UNKNOWN HLAPI USER" try: username = getpass.getuser() except(Exception, ): return "UNKNOWN HLAPI USER" return username def extract_specified_args(arguments_to_extract, hlpy_args): ''' This method accepts a list as input and a dict. The method iterates through the elements of the dict and searches for the keys that have the same name. All the entries that are found are copied to a new dict which is returned. ''' return {key: hlpy_args[key] for key in arguments_to_extract if key in hlpy_args} def merge_dicts(*dicts): ''' This method accepts a list of dictionaries as input and returns a new dictionary with all the items (all elements from the input dictionaries will be merged into the same dictionary) ''' return dict(itertools.chain(*[iter(d.items()) for d in dicts])) def get_ixnetwork_server_and_port(hlpy_args): ''' This method parses the input arguments and looks for a key called ixnetwork_tcl_server. If the key is found, the value of the key is parsed in order to separate the hostname and port by ":" separator. The parsed information is returned as a dict with hostname and port keys. If no port is given 8009 will be used as default. If no hostname is given it will default to loopback address. Valid input formats for ixnetwork_tcl_server value: 127.0.0.1:8009, hostname:8009, hostname, 127.0.0.1, 2005::1, [2005::1]:8009, 2005:0:0:0:0:0:0:1, [2005:0:0:0:0:0:0:1]:8009, 2005:0000:0000:0000:0000:0000:0000:001, [2005:0001::0001:001]:8009 Not valid: 2005::1:8009 or 2005:0:0:0:0:0:0:1:8009 Returns hostname, port and an invalid sessionId -1 ''' default_hostname = '127.0.0.1' default_port = '8009' try: ixnetwork_tcl_server = hlpy_args['ixnetwork_tcl_server'] list = ixnetwork_tcl_server.split(":") if len(list) == 1: return {'hostname': ixnetwork_tcl_server, 'port': default_port, 'sessionId': -1} elif len(list) == 2: # does not contain ipv6 address return {'hostname':list[0], 'port': list[1],'sessionId': -1} else: # consider the hostname might be an ipv6 address in [ipv6]:port format (ex.: [2005::1]:8009) # we don't want to validate that the ipv6 is correct, just to know if port is included or not list = ixnetwork_tcl_server.split("]:") m = re.match(r'\[(?P<hostname>.*)\]', ixnetwork_tcl_server) if m: hostname = m.group('hostname') else: hostname = list[0] if len(list) == 1: return {'hostname': hostname, 'port': default_port,'sessionId': -1} else: return {'hostname': hostname, 'port': list[1], 'sessionId': -1} except (Exception, ): return {'hostname': default_hostname, 'port': default_port, 'sessionId': -1} from ixiahlt import IxiaHlt def make_hltapi_fail(log): return {'status': IxiaHlt.FAIL, 'log': log}
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiautil.py_part1
from ixiahlt import IxiaHlt def make_hltapi_fail(log): return {'status': IxiaHlt.FAIL, 'log': log}
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiautil.py_part2
#!/usr/bin/env python # -*- coding: utf-8 -*- from __future__ import absolute_import, print_function, division import sys import os try: import Tkinter as tkinter except ImportError: import tkinter from ixiautil import Logger class IxiaTcl(object): ''' Python wrapper class over Tkinter tcl interp __init__ kwargs: tcl_autopath=['list of items to append to the TCL interp ::auto_path'] Defaults: on windows: [] on unix: [] Examples: tcl_autopath=[ '/home/smurf/IXIA_LATEST/ixos/lib', '/home/smurf/IXIA_LATEST/ixn/IxTclProtocol', '/home/smurf/IXIA_LATEST/ixn/IxTclNetwork' ] ''' def __init__(self, **kwargs): self._debug_tcl_eval = False self.__logger = Logger('ixiatcl', print_timestamp=False) self.__init_tcl_interp(kwargs.get('tcl_autopath', [])) self.__build_tcl_commands() tcl_version = self._eval('info patchlevel') self.__logger.info('Tcl version: %s' % tcl_version) self.__initialized = tcl_version def __tcl_print(self, message, nonewline="0", out_stderr="0"): if out_stderr == "1": print(message, file=sys.stderr) else: if nonewline == "1": print(message, end=' ') else: print(message) def __init_tcl_environment(self) : osType = sys.platform pyVer = float(str(sys.version_info.major) + '.' + str(sys.version_info.minor)) if (osType == 'win32') : if (pyVer >= 3.0) : # only windows + python version 3.x combination should reach here os.environ['TCL_LIBRARY'] = os.path.join(os.path.dirname(os.path.dirname(os.__file__)), 'tcl', 'tcl8.6') os.environ['TK_LIBRARY'] = os.path.join(os.path.dirname(os.path.dirname(os.__file__)), 'tcl', 'tk8.6') # end if # end if return # end def def __init_tcl_interp(self, tcl_autopath): self.__init_tcl_environment() self.__interp = tkinter.Tcl() self.__interp.createcommand('__py_puts', self.__tcl_print) self._eval(""" if { [catch { puts -nonewline {} }] } { #stdout is close. Python's IDLE does not have stdout. __py_puts "Redirecting Tcl's stdout to Python console output." rename puts __tcl_puts proc puts {args} { set processed_args $args set keep_current_line 0 set write_to_stderr 0 set args_size [llength $args] #check if -nonewline is present set no_new_line_index [lsearch -nocase $processed_args -nonewline] if {$no_new_line_index > -1} { lreplace $processed_args $no_new_line_index $no_new_line_index set keep_current_line 1 incr args_size -1 } #check if stederr is present set stderr_index [lsearch -nocase $processed_args stderr] if {$stderr_index > -1} { lreplace $processed_args $stderr_index $stderr_index set write_to_stderr 1 incr args_size -1 } if { $args_size < 2} { # a message for stdout or stderr. Sent to python's print method __py_puts [lindex $processed_args [expr [llength $processed_args] - 1]] $keep_current_line $write_to_stderr } else { # probably a socket. use native tcl puts set cmd "__tcl_puts $args" eval $cmd } } } """) for auto_path_item in tcl_autopath: self._eval("lappend ::auto_path %s" % auto_path_item) def tcl_error_info(self): ''' Return tcl interp ::errorInfo ''' return self.__interp.eval('set ::errorInfo') def _eval(self, code): ''' Eval given code in tcl interp ''' if self._debug_tcl_eval: self.__logger.debug('TCL: ' + code) ret = self.__interp.eval(code) if self._debug_tcl_eval: self.__logger.debug('RET: ' + ret) return ret def _tcl_flatten(self, obj, key_prefix='', first_call=True): ''' Flatten a python data structure involving dicts, lists and basic data types to a tcl list. For the outermost dictionary do not return as a quoted tcl list because the quoting is done at evaluation (first_call=True means dont quote) ''' if isinstance(obj, list): retlist = [self.quote_tcl_string(self._tcl_flatten(x, key_prefix, False)) for x in obj] tcl_string = ' '.join(retlist) elif isinstance(obj, dict): retlist = [] for (k, v) in obj.items(): if not first_call: vflat = self._tcl_flatten(v, '', False) rettext = k + ' ' + self.quote_tcl_string(vflat) retlist.append(self.quote_tcl_string(rettext)) else: retlist.append(key_prefix + k) vflat = self._tcl_flatten(v, '', False) retlist.append(self.quote_tcl_string(vflat)) tcl_string = ' '.join(retlist) elif isinstance(obj, str): tcl_string = self.__quote_tcl_invalid(obj) else: tcl_string = str(obj) return tcl_string def __quote_tcl_invalid(self, tcl_string): ''' For user input string quote any tcl list separators in order to get good quoting using Tcl_merge. Otherwise, the function will quote individual characters instead of the whole string. ''' if not isinstance(tcl_string, str): raise ValueError('input not a string') invalid_chars = ['{', '}', '\\', '[', ']'] # state 0 - none # state 1 - escaping state = 0 ret = '' count = 1 need_closing = 0 for c in tcl_string: if state == 0: if c == '\\': state = 1 elif c in invalid_chars: if c == '{' and count == 1: a = tcl_string.rfind('}') if a == len(tcl_string)-1: ret += '{' need_closing = 1 else: ret += r'\{' continue elif c == '}' and count == len(tcl_string) and need_closing == 1: ret += '}' else: ret += '\\' elif state == 1: state = 0 count += 1 ret += c if state == 1: ret += '\\' return ret def quote_tcl_string(self, tcl_string): ''' Returns a tcl string quoting any invalid tcl characters ''' # TODO - refactor this method when upgrading to Python3+ # strigify does not handle dollar signs: BUG1424852 tcl_final_string = tcl_string tcl_final_string = tcl_final_string.replace(r"\{", "{") tcl_final_string = tcl_final_string.replace(r"\}", "}") tcl_final_string = tcl_final_string.replace(r"\ ", " ") tcl_final_string = tcl_final_string.replace('\n', ' ').replace('\r', '') if ((tcl_final_string.find(' ') >= 0) or (tcl_final_string.find('$') >= 0) or (tcl_final_string.find('\\') >= 0) or (tcl_final_string == "")) : return '{' + tcl_final_string + '}' else : return(tcl_final_string) def convert_tcl_list(self, tcl_string): ''' Returns a python list representing the input tcl list ''' return list(self.__interp.splitlist(tcl_string)) def keylget(self, dict_input, key): ''' Python implementation of the tcl's keylget command. This can be used with python's dict ''' if not isinstance(dict_input, dict): raise TypeError("Expected a dictionary and received a %s as input" % type(dict_input).__name__) if not isinstance(key, str): raise TypeError("Expected a string as a key filter and received %s as input" % type(key).__name__) resulted_dict = dict_input for k in key.split('.'): try: resulted_dict = resulted_dict[k] except KeyError: raise KeyError("Key %s is not found is the given dictionary" % key) return resulted_dict @staticmethod def _make_tcl_method(tcl_funcname, conversion_in=None, conversion_out=None, eval_getter=None): def __tcl_method(self, *args, **kwargs): if conversion_in: tcl_args = ' '.join(conversion_in(args, kwargs)) else: tcl_args = ' '.join(args) code = tcl_funcname + ' ' + tcl_args if eval_getter: eval_func = eval_getter(self) else: eval_func = self._eval result = eval_func(code) if conversion_out: result = conversion_out(result) return result # strip namespace if any __tcl_method.__name__ = tcl_funcname.split(':')[-1] return __tcl_method def __build_tcl_commands(self): ''' Adds the main tcl commands as methods to this class ''' command_list = [ "after", "append", "array", "bgerror", "binary", "cd", "clock", "close", "concat", "encoding", "eof", "error", "expr", "fblocked", "fconfigure", "fcopy", "file", "fileevent", "filename", "flush", "format", "gets", "glob", "incr", "info", "interp", "join", "lappend", "lindex", "linsert", "list", "llength", "load", "lrange", "lreplace", "lsearch", "lset", "lsort", "namespace", "open", "package", "parray", "pid", "proc", "puts", "pwd", "read", "regexp", "registry", "regsub", "rename", "resource", "scan", "seek", "set", "socket", "source", "split", "string", "subst", "switch", "tell", "time", "trace", "unknown", "unset", "update", "uplevel", "upvar", "variable", "vwait" ] def convert_in(args, kwargs): return tuple([str(x) for x in args]) def convert_in_py(args, kwargs): return tuple([self.quote_tcl_string(self._tcl_flatten(x)) for x in args]) def convert_out_py(tcl_string): if tcl_string == '': return None ret = self.convert_tcl_list(tcl_string) if len(ret) == 1: return ret[0] return ret for command in command_list: method = self._make_tcl_method( command, conversion_in=convert_in ) method_py = self._make_tcl_method( command, conversion_in=convert_in_py, conversion_out=convert_out_py ) method.__doc__ = 'Lowlevel python wrapper over TCL command. The input parameters are TCL-style datatypes' method_py.__doc__ = 'Lowlevel python wrapper over TCL command. The input parameters are python datatypes' setattr(self.__class__, command, method) setattr(self.__class__, command + '_py', method_py)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiatcl.py_part1
for c in tcl_string: if state == 0: if c == '\\': state = 1 elif c in invalid_chars: if c == '{' and count == 1: a = tcl_string.rfind('}') if a == len(tcl_string)-1: ret += '{' need_closing = 1 else: ret += r'\{' continue elif c == '}' and count == len(tcl_string) and need_closing == 1: ret += '}' else: ret += '\\' elif state == 1: state = 0 count += 1 ret += c if state == 1: ret += '\\' return ret def quote_tcl_string(self, tcl_string): ''' Returns a tcl string quoting any invalid tcl characters ''' # TODO - refactor this method when upgrading to Python3+ # strigify does not handle dollar signs: BUG1424852 tcl_final_string = tcl_string tcl_final_string = tcl_final_string.replace(r"\{", "{") tcl_final_string = tcl_final_string.replace(r"\}", "}") tcl_final_string = tcl_final_string.replace(r"\ ", " ") tcl_final_string = tcl_final_string.replace('\n', ' ').replace('\r', '') if ((tcl_final_string.find(' ') >= 0) or (tcl_final_string.find('$') >= 0) or (tcl_final_string.find('\\') >= 0) or (tcl_final_string == "")) : return '{' + tcl_final_string + '}' else : return(tcl_final_string) def convert_tcl_list(self, tcl_string): ''' Returns a python list representing the input tcl list ''' return list(self.__interp.splitlist(tcl_string)) def keylget(self, dict_input, key): ''' Python implementation of the tcl's keylget command. This can be used with python's dict ''' if not isinstance(dict_input, dict): raise TypeError("Expected a dictionary and received a %s as input" % type(dict_input).__name__) if not isinstance(key, str): raise TypeError("Expected a string as a key filter and received %s as input" % type(key).__name__) resulted_dict = dict_input for k in key.split('.'): try: resulted_dict = resulted_dict[k] except KeyError: raise KeyError("Key %s is not found is the given dictionary" % key) return resulted_dict @staticmethod def _make_tcl_method(tcl_funcname, conversion_in=None, conversion_out=None, eval_getter=None): def __tcl_method(self, *args, **kwargs): if conversion_in: tcl_args = ' '.join(conversion_in(args, kwargs)) else: tcl_args = ' '.join(args) code = tcl_funcname + ' ' + tcl_args if eval_getter: eval_func = eval_getter(self) else: eval_func = self._eval result = eval_func(code) if conversion_out: result = conversion_out(result) return result # strip namespace if any __tcl_method.__name__ = tcl_funcname.split(':')[-1] return __tcl_method def __build_tcl_commands(self): ''' Adds the main tcl commands as methods to this class ''' command_list = [ "after", "append", "array", "bgerror", "binary", "cd", "clock", "close", "concat", "encoding", "eof", "error", "expr", "fblocked", "fconfigure", "fcopy", "file", "fileevent", "filename", "flush", "format", "gets", "glob", "incr", "info", "interp", "join", "lappend", "lindex", "linsert", "list", "llength", "load", "lrange", "lreplace", "lsearch", "lset", "lsort", "namespace", "open", "package", "parray", "pid", "proc", "puts", "pwd", "read", "regexp", "registry", "regsub", "rename", "resource", "scan", "seek", "set", "socket", "source", "split", "string", "subst", "switch", "tell", "time", "trace", "unknown", "unset", "update", "uplevel", "upvar", "variable", "vwait" ] def convert_in(args, kwargs): return tuple([str(x) for x in args]) def convert_in_py(args, kwargs): return tuple([self.quote_tcl_string(self._tcl_flatten(x)) for x in args]) def convert_out_py(tcl_string): if tcl_string == '': return None ret = self.convert_tcl_list(tcl_string) if len(ret) == 1: return ret[0] return ret for command in command_list: method = self._make_tcl_method( command, conversion_in=convert_in ) method_py = self._make_tcl_method( command, conversion_in=convert_in_py, conversion_out=convert_out_py ) method.__doc__ = 'Lowlevel python wrapper over TCL command. The input parameters are TCL-style datatypes' method_py.__doc__ = 'Lowlevel python wrapper over TCL command. The input parameters are python datatypes' setattr(self.__class__, command, method) setattr(self.__class__, command + '_py', method_py)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiatcl.py_part2
#!/usr/bin/env python # -*- coding: utf-8 -*- from __future__ import absolute_import, print_function, division import os import os.path import sys from glob import glob from ixiaerror import * from ixiautil import * try: from Tkinter import TclError except ImportError: from tkinter import TclError class IxiaHlt(object): r''' Python wrapper class over the HLTAPI commands __init__ kwargs: ixia_version='specific HLTSET to use' The environment variable IXIA_VERSION has precedence. hltapi_path_override='path to a specific HLTAPI installation to use' tcl_packages_path='path to external TCL interp path from which to load additional packages' Defaults: ixia_version: on windows: latest HLTAPI set taken from Ixia TCL package on unix: latest HLTAPI set taken from Ixia TCL package hltapi_path_override: on windows: latest HLTAPI version installed in Ixia folder on unix: none tcl_packages_path: on windows: path of packages from the latest TCL version installed in Ixia folder on unix: none Examples: ixia_version='HLTSET165' hltapi_path_override='C:\Program Files (x86)\Ixia\hltapi\4.90.0.16' tcl_packages_path='C:\Program Files (x86)\Ixia\Tcl\8.5.12.0\lib\teapot\package\win32-ix86\lib' ''' SUCCESS = '1' FAIL = '0' def __init__(self, ixiatcl, **kwargs): # overrides self.hltapi_path_override = kwargs.get('hltapi_path_override', None) self.tcl_packages_path = kwargs.get('tcl_packages_path', None) self.use_legacy_api = kwargs.get('use_legacy_api', None) self.__logger = Logger('ixiahlt', print_timestamp=False) self.ixiatcl = ixiatcl self.tcl_mejor_version = self.__get_tcl_mejor_version() self.__prepare_tcl_interp(self.ixiatcl) # check whether ixia_version param is passed # env variable takes precedence ixia_version = kwargs.get('ixia_version', None) if ixia_version: if 'IXIA_VERSION' not in os.environ: os.environ['IXIA_VERSION'] = ixia_version else: self.__logger.warn('IXIA_VERSION specified by env; ignoring parameter ixia_version') if os.name == 'nt': if os.getenv('IXIA_PY_DEV'): self.__logger.debug('!! IXIA_PY_DEV enabled => Dev mode') # dev access to hltapi version hlt_init_glob = 'C:/Program Files*/Ixia/hltapi/4.90.0.16/TclScripts/bin/hlt_init.tcl' hlt_init_files = glob(hlt_init_glob) if not len(hlt_init_files): raise IxiaError(IxiaError.HLTAPI_NOT_FOUND, additional_info='Tried glob %s' % hlt_init_glob) hlt_init_path = hlt_init_files[0] self.__logger.debug('!! using %s' % hlt_init_path) else: tcl_scripts_path = self.__get_hltapi_path() # cut /lib/hltapi for i in range(2): tcl_scripts_path = os.path.dirname(tcl_scripts_path) hlt_init_path = os.path.join(tcl_scripts_path, 'bin', 'hlt_init.tcl') try: # sourcing this might throw errors self.ixiatcl.source(self.ixiatcl.quote_tcl_string(hlt_init_path)) except (TclError,): raise IxiaError(IxiaError.HLTAPI_NOT_PREPARED, additional_info=ixiatcl.tcl_error_info()) else: # path to ixia package, dependecies should be specified in tcl ::auto_path self.ixiatcl.lappend('::auto_path', self.__get_hltapi_path()) try: self.ixiatcl.package('require', 'Ixia') except (TclError,): raise IxiaError(IxiaError.HLTAPI_NOT_INITED, additional_info=ixiatcl.tcl_error_info()) try: pythonIxNetworkLib = ixiatcl._eval("set env(IXTCLNETWORK_[ixNet getVersion])") if os.name == 'nt': #cut /TclScripts/lib/IxTclNetwork for i in range(3): pythonIxNetworkLib = os.path.dirname(pythonIxNetworkLib) pythonIxNetworkLib = os.path.join(pythonIxNetworkLib, 'api', 'python') else: pythonIxNetworkLib = os.path.dirname(pythonIxNetworkLib) pythonIxNetworkLib = os.path.join(pythonIxNetworkLib, 'PythonApi') sys.path.append(pythonIxNetworkLib) except (TclError,): raise IxiaError(IxiaError.IXNETWORK_TCL_API_NOT_FOUND, additional_info=ixiatcl.tcl_error_info()) self.__build_hltapi_commands() def __get_bitness(self): machine = '32bit' if os.name == 'nt' and sys.version_info[:2] < (2, 7): machine = os.environ.get('PROCESSOR_ARCHITEW6432', os.environ.get('PROCESSOR_ARCHITECTURE', '')) else: import platform machine = platform.machine() mapping = { 'AMD64': '64bit', 'x86_64': '64bit', 'i386': '32bit', 'x86': '32bit' } return mapping[machine] def __get_reg_subkeys(self, regkey): try: from _winreg import EnumKey except ImportError: from winreg import EnumKey keys = [] try: i = 0 while True: matchObj = re.match(r'\d+\.\d+\.\d+\.\d+', EnumKey(regkey, i), re.M | re.I) if matchObj: keys.append(EnumKey(regkey, i)) i += 1 except (WindowsError,): e = sys.exc_info()[1] # 259 is no more subkeys if e.winerror != 259: raise e return keys def __get_tcl_mejor_version(self): tkinter_tcl_version = [int(i) for i in self.ixiatcl._eval('info patchlevel').split('.')] if (tkinter_tcl_version[0], tkinter_tcl_version[1]) <= (8,5): return '8.5' else: return '8.6' def __get_tcl_version(self, version_keys): for version_key in version_keys: if version_key.split('.')[:2] == self.tcl_mejor_version.split('.'): return version_key return version_key def __get_reg_product_path(self, product, force_version=None): try: from _winreg import OpenKey, QueryValueEx from _winreg import HKEY_LOCAL_MACHINE, KEY_READ except ImportError: from winreg import OpenKey, QueryValueEx from winreg import HKEY_LOCAL_MACHINE, KEY_READ wowtype = '' if self.__get_bitness() == '64bit': wowtype = 'Wow6432Node' key_path = '\\'.join(['SOFTWARE', wowtype, 'Ixia Communications', product]) try: with OpenKey(HKEY_LOCAL_MACHINE, key_path, KEY_READ) as key: version_keys = version_sorted(self.__get_reg_subkeys(key)) if not len(version_keys): return None version_key = self.__get_tcl_version(version_keys) if force_version: if force_version in version_keys: version_key = force_version else: return None info_key_path = '\\'.join([key_path, version_key, 'InstallInfo']) with OpenKey(HKEY_LOCAL_MACHINE, info_key_path, KEY_READ) as info_key: return QueryValueEx(info_key, 'HOMEDIR')[0] except (WindowsError,): e = sys.exc_info()[1] # WindowsError: [Error 2] The system cannot find the file specified if e.winerror == 2: raise IxiaError(IxiaError.WINREG_NOT_FOUND, 'Product name: %s' % product) raise e return None def __get_tcl_packages_path(self): if self.tcl_packages_path: return self.tcl_packages_path if os.name == 'nt': tcl_path = self.__get_reg_product_path('Tcl') if not tcl_path: raise IxiaError(IxiaError.TCL_NOT_FOUND) if self.tcl_mejor_version == '8.5': return os.path.join(tcl_path, 'lib\\teapot\\package\\win32-ix86\\lib') else: return os.path.join(tcl_path, 'lib') else: # TODO raise NotImplementedError() def __get_hltapi_path(self): if self.hltapi_path_override: return self.hltapi_path_override hltapi_path = os.path.realpath(__file__) # cut /library/common/ixiangpf/python/ixiahlt.py for i in range(5): hltapi_path = os.path.dirname(hltapi_path) return hltapi_path def __prepare_tcl_interp(self, ixiatcl): ''' Sets any TCL interp variables, commands or other items specifically needed by HLTAPI ''' if os.name == 'nt': tcl_packages_path = self.__get_tcl_packages_path() ixiatcl.lappend('::auto_path', self.ixiatcl.quote_tcl_string(tcl_packages_path)) # hltapi tries to use some wish console things; invalidate them -ae ixiatcl.proc('console', 'args', '{}') ixiatcl.proc('wm', 'args', '{}') ixiatcl.set('::tcl_interactive', '0') # this function generates unique variables names # they are needed when parsing hlt return values -ae ixiatcl.namespace('eval', '::tcl::tmp', '''{ variable global_counter 0 namespace export unique_name }''') ixiatcl.proc('tcl::tmp::unique_name', 'args', '''{ variable global_counter set pattern "[namespace current]::unique%s" set result {} set num [llength $args] set num [expr {($num)? $num : 1}] for {set i 0} {$i < $num} {incr i} { set name [format $pattern [incr global_counter]] while { [info exists $name] || [namespace exists $name] || [llength [info commands $name]] } { set name [format $pattern [incr global_counter]] } lappend result $name } if { [llength $args] } { foreach varname $args name $result { uplevel set $varname $name } } return [lindex $result 0] }''') def __build_hltapi_commands(self): ''' Adds all supported HLTAPI commands as methods to this class ''' ixia_ns = '::ixia::' # List of legacy commands command_list = [ {'name': 'connect', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'cleanup_session', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'reboot_port_cpu', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'convert_vport_to_porthandle', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'convert_porthandle_to_vport', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'convert_portname_to_vport', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'session_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'device_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'vport_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'interface_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'interface_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'interface_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'traffic_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'traffic_control', 'namespace': ixia_ns, 'parse_io': True},
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiahlt.py_part1
raise e return keys def __get_tcl_mejor_version(self): tkinter_tcl_version = [int(i) for i in self.ixiatcl._eval('info patchlevel').split('.')] if (tkinter_tcl_version[0], tkinter_tcl_version[1]) <= (8,5): return '8.5' else: return '8.6' def __get_tcl_version(self, version_keys): for version_key in version_keys: if version_key.split('.')[:2] == self.tcl_mejor_version.split('.'): return version_key return version_key def __get_reg_product_path(self, product, force_version=None): try: from _winreg import OpenKey, QueryValueEx from _winreg import HKEY_LOCAL_MACHINE, KEY_READ except ImportError: from winreg import OpenKey, QueryValueEx from winreg import HKEY_LOCAL_MACHINE, KEY_READ wowtype = '' if self.__get_bitness() == '64bit': wowtype = 'Wow6432Node' key_path = '\\'.join(['SOFTWARE', wowtype, 'Ixia Communications', product]) try: with OpenKey(HKEY_LOCAL_MACHINE, key_path, KEY_READ) as key: version_keys = version_sorted(self.__get_reg_subkeys(key)) if not len(version_keys): return None version_key = self.__get_tcl_version(version_keys) if force_version: if force_version in version_keys: version_key = force_version else: return None info_key_path = '\\'.join([key_path, version_key, 'InstallInfo']) with OpenKey(HKEY_LOCAL_MACHINE, info_key_path, KEY_READ) as info_key: return QueryValueEx(info_key, 'HOMEDIR')[0] except (WindowsError,): e = sys.exc_info()[1] # WindowsError: [Error 2] The system cannot find the file specified if e.winerror == 2: raise IxiaError(IxiaError.WINREG_NOT_FOUND, 'Product name: %s' % product) raise e return None def __get_tcl_packages_path(self): if self.tcl_packages_path: return self.tcl_packages_path if os.name == 'nt': tcl_path = self.__get_reg_product_path('Tcl') if not tcl_path: raise IxiaError(IxiaError.TCL_NOT_FOUND) if self.tcl_mejor_version == '8.5': return os.path.join(tcl_path, 'lib\\teapot\\package\\win32-ix86\\lib') else: return os.path.join(tcl_path, 'lib') else: # TODO raise NotImplementedError() def __get_hltapi_path(self): if self.hltapi_path_override: return self.hltapi_path_override hltapi_path = os.path.realpath(__file__) # cut /library/common/ixiangpf/python/ixiahlt.py for i in range(5): hltapi_path = os.path.dirname(hltapi_path) return hltapi_path def __prepare_tcl_interp(self, ixiatcl): ''' Sets any TCL interp variables, commands or other items specifically needed by HLTAPI ''' if os.name == 'nt': tcl_packages_path = self.__get_tcl_packages_path() ixiatcl.lappend('::auto_path', self.ixiatcl.quote_tcl_string(tcl_packages_path)) # hltapi tries to use some wish console things; invalidate them -ae ixiatcl.proc('console', 'args', '{}') ixiatcl.proc('wm', 'args', '{}') ixiatcl.set('::tcl_interactive', '0') # this function generates unique variables names # they are needed when parsing hlt return values -ae ixiatcl.namespace('eval', '::tcl::tmp', '''{ variable global_counter 0 namespace export unique_name }''') ixiatcl.proc('tcl::tmp::unique_name', 'args', '''{ variable global_counter set pattern "[namespace current]::unique%s" set result {} set num [llength $args] set num [expr {($num)? $num : 1}] for {set i 0} {$i < $num} {incr i} { set name [format $pattern [incr global_counter]] while { [info exists $name] || [namespace exists $name] || [llength [info commands $name]] } { set name [format $pattern [incr global_counter]] } lappend result $name } if { [llength $args] } { foreach varname $args name $result { uplevel set $varname $name } } return [lindex $result 0] }''') def __build_hltapi_commands(self): ''' Adds all supported HLTAPI commands as methods to this class ''' ixia_ns = '::ixia::' # List of legacy commands command_list = [ {'name': 'connect', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'cleanup_session', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'reboot_port_cpu', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'convert_vport_to_porthandle', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'convert_porthandle_to_vport', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'convert_portname_to_vport', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'session_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'device_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'vport_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'interface_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'interface_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'interface_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'traffic_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'traffic_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'traffic_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'get_nodrop_rate', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'find_in_csv', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'test_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'test_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'packet_config_buffers', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'packet_config_filter', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'packet_config_triggers', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'packet_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'packet_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'uds_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'uds_filter_pallette_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'capture_packets', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'get_packet_content', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'increment_ipv4_address', 'namespace': ixia_ns, 'parse_io': False}, {'name': 'increment_ipv6_address', 'namespace': ixia_ns, 'parse_io': False}, {'name': 'generate_hex_values', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'enable_dpdk_performance_acceleration', 'namespace': ixia_ns, 'parse_io': True} ] if self.use_legacy_api == 1: # List of commands used by RobotFramework command_list = [{'name': 'connect', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'cleanup_session', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'reboot_port_cpu', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'reset_port', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'convert_vport_to_porthandle', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'convert_porthandle_to_vport', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'convert_portname_to_vport', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'session_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'device_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'vport_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'interface_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'interface_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'interface_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'traffic_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'traffic_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'traffic_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'get_nodrop_rate', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'get_port_list_from_connect', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'find_in_csv', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'test_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'test_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'packet_config_buffers', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'packet_config_filter', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'packet_config_triggers', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'packet_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'packet_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'uds_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'uds_filter_pallette_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'capture_packets', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'get_packet_content', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'increment_ipv4_address', 'namespace': ixia_ns, 'parse_io': False}, {'name': 'increment_ipv6_address', 'namespace': ixia_ns, 'parse_io': False}, {'name': 'dhcp_client_extension_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'dhcp_extension_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'dhcp_server_extension_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_ancp_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_ancp_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_ancp_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_ancp_subscriber_lines_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_bfd_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_bfd_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_bfd_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_bfd_session_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_bgp_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_bgp_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_bgp_info', 'namespace': ixia_ns, 'parse_io': True},
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiahlt.py_part2
{'name': 'traffic_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'get_nodrop_rate', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'find_in_csv', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'test_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'test_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'packet_config_buffers', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'packet_config_filter', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'packet_config_triggers', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'packet_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'packet_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'uds_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'uds_filter_pallette_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'capture_packets', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'get_packet_content', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'increment_ipv4_address', 'namespace': ixia_ns, 'parse_io': False}, {'name': 'increment_ipv6_address', 'namespace': ixia_ns, 'parse_io': False}, {'name': 'generate_hex_values', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'enable_dpdk_performance_acceleration', 'namespace': ixia_ns, 'parse_io': True} ] if self.use_legacy_api == 1: # List of commands used by RobotFramework command_list = [{'name': 'connect', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'cleanup_session', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'reboot_port_cpu', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'reset_port', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'convert_vport_to_porthandle', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'convert_porthandle_to_vport', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'convert_portname_to_vport', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'session_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'device_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'vport_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'interface_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'interface_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'interface_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'traffic_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'traffic_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'traffic_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'get_nodrop_rate', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'get_port_list_from_connect', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'find_in_csv', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'test_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'test_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'packet_config_buffers', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'packet_config_filter', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'packet_config_triggers', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'packet_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'packet_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'uds_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'uds_filter_pallette_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'capture_packets', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'get_packet_content', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'increment_ipv4_address', 'namespace': ixia_ns, 'parse_io': False}, {'name': 'increment_ipv6_address', 'namespace': ixia_ns, 'parse_io': False}, {'name': 'dhcp_client_extension_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'dhcp_extension_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'dhcp_server_extension_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_ancp_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_ancp_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_ancp_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_ancp_subscriber_lines_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_bfd_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_bfd_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_bfd_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_bfd_session_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_bgp_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_bgp_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_bgp_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_bgp_route_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_cfm_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_cfm_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_cfm_custom_tlv_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_cfm_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_cfm_links_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_cfm_md_meg_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_cfm_mip_mep_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_cfm_vlan_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_dhcp_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_dhcp_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_dhcp_group_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_dhcp_server_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_dhcp_server_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_dhcp_server_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_dhcp_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_efm_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_efm_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_efm_org_var_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_efm_stat', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_eigrp_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_eigrp_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_eigrp_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_eigrp_route_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_elmi_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_elmi_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_igmp_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_igmp_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_igmp_group_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_igmp_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_igmp_querier_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_isis_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_isis_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_isis_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_isis_topology_route_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_lacp_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_lacp_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_lacp_link_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_ldp_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_ldp_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_ldp_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_ldp_route_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_mld_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_mld_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_mld_group_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_mplstp_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_mplstp_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_mplstp_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_mplstp_lsp_pw_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_multicast_group_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_multicast_source_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_oam_config_msg', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_oam_config_topology', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_oam_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_oam_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_ospf_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_ospf_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_ospf_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_ospf_lsa_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_ospf_topology_route_config', 'namespace': ixia_ns, 'parse_io': True},
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiahlt.py_part3
{'name': 'emulation_bgp_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_bgp_route_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_cfm_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_cfm_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_cfm_custom_tlv_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_cfm_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_cfm_links_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_cfm_md_meg_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_cfm_mip_mep_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_cfm_vlan_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_dhcp_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_dhcp_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_dhcp_group_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_dhcp_server_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_dhcp_server_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_dhcp_server_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_dhcp_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_efm_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_efm_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_efm_org_var_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_efm_stat', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_eigrp_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_eigrp_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_eigrp_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_eigrp_route_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_elmi_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_elmi_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_igmp_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_igmp_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_igmp_group_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_igmp_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_igmp_querier_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_isis_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_isis_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_isis_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_isis_topology_route_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_lacp_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_lacp_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_lacp_link_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_ldp_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_ldp_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_ldp_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_ldp_route_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_mld_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_mld_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_mld_group_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_mplstp_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_mplstp_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_mplstp_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_mplstp_lsp_pw_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_multicast_group_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_multicast_source_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_oam_config_msg', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_oam_config_topology', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_oam_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_oam_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_ospf_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_ospf_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_ospf_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_ospf_lsa_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_ospf_topology_route_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_pbb_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_pbb_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_pbb_custom_tlv_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_pbb_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_pbb_trunk_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_pim_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_pim_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_pim_group_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_pim_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_rip_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_rip_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_rip_route_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_rsvp_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_rsvp_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_rsvp_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_rsvp_tunnel_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_rsvp_tunnel_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_stp_bridge_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_stp_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_stp_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_stp_lan_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_stp_msti_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_stp_vlan_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_twamp_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_twamp_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_twamp_control_range_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_twamp_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_twamp_server_range_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_twamp_test_range_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fc_client_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fc_client_global_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fc_client_options_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fc_client_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fc_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fc_fport_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fc_fport_global_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fc_fport_options_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fc_fport_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fc_fport_vnport_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'l2tp_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'l2tp_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'l2tp_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'l3vpn_generate_stream', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'pppox_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'pppox_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'pppox_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'dcbxrange_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'dcbxrange_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'dcbxrange_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'dcbxtlv_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'dcbxtlvqaz_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'esmc_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'esmc_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'esmc_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'ethernetrange_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fcoe_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fcoe_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fcoe_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fcoe_client_globals_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fcoe_client_options_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fcoe_fwd_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fcoe_fwd_control', 'namespace': ixia_ns, 'parse_io': True},
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiahlt.py_part4
{'name': 'emulation_ospf_topology_route_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_pbb_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_pbb_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_pbb_custom_tlv_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_pbb_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_pbb_trunk_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_pim_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_pim_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_pim_group_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_pim_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_rip_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_rip_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_rip_route_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_rsvp_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_rsvp_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_rsvp_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_rsvp_tunnel_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_rsvp_tunnel_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_stp_bridge_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_stp_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_stp_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_stp_lan_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_stp_msti_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_stp_vlan_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_twamp_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_twamp_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_twamp_control_range_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_twamp_info', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_twamp_server_range_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'emulation_twamp_test_range_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fc_client_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fc_client_global_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fc_client_options_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fc_client_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fc_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fc_fport_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fc_fport_global_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fc_fport_options_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fc_fport_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fc_fport_vnport_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'l2tp_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'l2tp_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'l2tp_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'l3vpn_generate_stream', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'pppox_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'pppox_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'pppox_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'dcbxrange_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'dcbxrange_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'dcbxrange_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'dcbxtlv_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'dcbxtlvqaz_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'esmc_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'esmc_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'esmc_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'ethernetrange_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fcoe_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fcoe_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fcoe_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fcoe_client_globals_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fcoe_client_options_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fcoe_fwd_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fcoe_fwd_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fcoe_fwd_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fcoe_fwd_globals_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fcoe_fwd_options_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fcoe_fwd_vnport_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'ptp_globals_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'ptp_options_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'ptp_over_ip_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'ptp_over_ip_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'ptp_over_ip_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'ptp_over_mac_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'ptp_over_mac_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'ptp_over_mac_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'generate_hex_values', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'enable_dpdk_performance_acceleration', 'namespace': ixia_ns, 'parse_io': True} ] def convert_in_kwargs(args, kwargs): return [self.ixiatcl._tcl_flatten(kwargs, '-')] def convert_out_list(tcl_string): if tcl_string == '': return None ret = self.ixiatcl.convert_tcl_list(tcl_string) if len(ret) == 1: return ret[0] return ret def convert_out_dict(tcl_string): # populate a tcl keyed list variable unique_list_name = self.ixiatcl._eval('::tcl::tmp::unique_name') unique_catch_name = self.ixiatcl._eval('::tcl::tmp::unique_name') self.ixiatcl.set(unique_list_name, self.ixiatcl.quote_tcl_string(tcl_string)) ret = {} for key in self.ixiatcl.convert_tcl_list(self.ixiatcl._eval('keylkeys %s' % unique_list_name)): qualified_key = self.ixiatcl.quote_tcl_string(key) key_value = self.ixiatcl._eval('keylget %s %s' % (unique_list_name, qualified_key)) catch_result = self.ixiatcl._eval( 'catch {{keylkeys {0} {1}}} {2}'.format( unique_list_name, qualified_key, unique_catch_name ) ) if catch_result == '1' or self.ixiatcl.llength('$' + unique_catch_name) == '0': # no more subkeys ret[key] = key_value else: if '\\' in key_value and "{" not in key_value: # Tcl BUG -> Whe value conains \ keylkeys will wronfully report that element is a keylist # even when is not. A keylist always has a { and }, so if { is not present, but \ is assume # the value is not a keylist ret[key] = key_value else: ret[key] = convert_out_dict(key_value) self.ixiatcl.unset(unique_list_name) self.ixiatcl.unset(unique_catch_name) # clear any stale errorInfo from the above catches self.ixiatcl.set('::errorInfo', '{}') return ret for command in command_list: # note: this may change in the future if alternate conversions are needed -ae convert_in = None convert_out = convert_out_list if command['parse_io']: convert_in = convert_in_kwargs convert_out = convert_out_dict method = self.ixiatcl._make_tcl_method( command['namespace'] + command['name'], conversion_in=convert_in, conversion_out=convert_out, eval_getter=lambda self_hlt: self_hlt.ixiatcl._eval ) setattr(self.__class__, command['name'], method) @property def INTERACTIVE(self): return self.__logger.ENABLED
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiahlt.py_part5
{'name': 'fcoe_fwd_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fcoe_fwd_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fcoe_fwd_globals_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fcoe_fwd_options_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'fcoe_fwd_vnport_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'ptp_globals_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'ptp_options_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'ptp_over_ip_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'ptp_over_ip_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'ptp_over_ip_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'ptp_over_mac_config', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'ptp_over_mac_control', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'ptp_over_mac_stats', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'generate_hex_values', 'namespace': ixia_ns, 'parse_io': True}, {'name': 'enable_dpdk_performance_acceleration', 'namespace': ixia_ns, 'parse_io': True} ] def convert_in_kwargs(args, kwargs): return [self.ixiatcl._tcl_flatten(kwargs, '-')] def convert_out_list(tcl_string): if tcl_string == '': return None ret = self.ixiatcl.convert_tcl_list(tcl_string) if len(ret) == 1: return ret[0] return ret def convert_out_dict(tcl_string): # populate a tcl keyed list variable unique_list_name = self.ixiatcl._eval('::tcl::tmp::unique_name') unique_catch_name = self.ixiatcl._eval('::tcl::tmp::unique_name') self.ixiatcl.set(unique_list_name, self.ixiatcl.quote_tcl_string(tcl_string)) ret = {} for key in self.ixiatcl.convert_tcl_list(self.ixiatcl._eval('keylkeys %s' % unique_list_name)): qualified_key = self.ixiatcl.quote_tcl_string(key) key_value = self.ixiatcl._eval('keylget %s %s' % (unique_list_name, qualified_key)) catch_result = self.ixiatcl._eval( 'catch {{keylkeys {0} {1}}} {2}'.format( unique_list_name, qualified_key, unique_catch_name ) ) if catch_result == '1' or self.ixiatcl.llength('$' + unique_catch_name) == '0': # no more subkeys ret[key] = key_value else: if '\\' in key_value and "{" not in key_value: # Tcl BUG -> Whe value conains \ keylkeys will wronfully report that element is a keylist # even when is not. A keylist always has a { and }, so if { is not present, but \ is assume # the value is not a keylist ret[key] = key_value else: ret[key] = convert_out_dict(key_value) self.ixiatcl.unset(unique_list_name) self.ixiatcl.unset(unique_catch_name) # clear any stale errorInfo from the above catches self.ixiatcl.set('::errorInfo', '{}') return ret for command in command_list: # note: this may change in the future if alternate conversions are needed -ae convert_in = None convert_out = convert_out_list if command['parse_io']: convert_in = convert_in_kwargs convert_out = convert_out_dict method = self.ixiatcl._make_tcl_method( command['namespace'] + command['name'], conversion_in=convert_in, conversion_out=convert_out, eval_getter=lambda self_hlt: self_hlt.ixiatcl._eval ) setattr(self.__class__, command['name'], method) @property def INTERACTIVE(self): return self.__logger.ENABLED
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiahlt.py_part6
# -*- coding: utf-8 -*- import sys from ixiaerror import IxiaError from ixiangpf import IxiaNgpf from ixiautil import PartialClass, make_hltapi_fail class IxiaNgpf(PartialClass, IxiaNgpf): def emulation_ldp_config(self, **kwargs): r''' #Procedure Header Name: emulation_ldp_config Description: This procedure configures LDP simulated routers and the router interfaces. Synopsis: emulation_ldp_config [-handle ANY] [-mode CHOICES create CHOICES delete CHOICES disable CHOICES enable CHOICES modify] n [-port_handle ANY] [-label_adv CHOICES unsolicited on_demand DEFAULT unsolicited] n [-peer_discovery ANY] [-count NUMERIC DEFAULT 1] n [-interface_handle ANY] n [-interface_mode ANY] [-intf_ip_addr IPV4 DEFAULT 0.0.0.0] [-intf_prefix_length RANGE 1-32 DEFAULT 24] [-intf_ip_addr_step IPV4 DEFAULT 0.0.1.0] x [-loopback_ip_addr IPV4] x [-loopback_ip_addr_step IPV4 x DEFAULT 0.0.1.0] [-intf_ipv6_addr IPV6 DEFAULT 0:0:0:1::0] [-intf_ipv6_prefix_length RANGE 1-64 DEFAULT 64] [-intf_ipv6_addr_step IPV6 DEFAULT 0:0:0:1::0] x [-loopback_ipv6_addr IPV6] x [-loopback_ipv6_addr_step IPV6 x DEFAULT 0:0:0:1::0] x [-lsr_id IPV4] x [-lsr_id_step IPV4 x DEFAULT 0.0.1.0] [-label_space RANGE 0-65535] [-mac_address_init MAC] x [-mac_address_step MAC x DEFAULT 0000.0000.0001] [-remote_ip_addr IPV4] [-remote_ip_addr_target IPV6] [-remote_ip_addr_step IPV4] [-remote_ip_addr_step_target IPV6] [-hello_interval RANGE 0-65535] [-hello_hold_time RANGE 0-65535] [-keepalive_interval RANGE 0-65535] [-keepalive_holdtime RANGE 0-65535] [-discard_self_adv_fecs CHOICES 0 1] x [-vlan CHOICES 0 1 x DEFAULT 0] [-vlan_id RANGE 0-4095] [-vlan_id_mode CHOICES fixed increment DEFAULT increment] [-vlan_id_step RANGE 0-4096 DEFAULT 1] [-vlan_user_priority RANGE 0-7 DEFAULT 0] n [-vpi ANY] n [-vci ANY] n [-vpi_step ANY] n [-vci_step ANY] n [-atm_encapsulation ANY] x [-auth_mode CHOICES null md5 x DEFAULT null] x [-auth_key ANY] x [-bfd_registration CHOICES 0 1 x DEFAULT 0] x [-bfd_registration_mode CHOICES single_hop multi_hop x DEFAULT multi_hop] n [-atm_range_max_vpi ANY] n [-atm_range_min_vpi ANY] n [-atm_range_max_vci ANY] n [-atm_range_min_vci ANY] n [-atm_vc_dir ANY] n [-enable_explicit_include_ip_fec ANY] n [-enable_l2vpn_vc_fecs ANY] n [-enable_remote_connect ANY] n [-enable_vc_group_matching ANY] x [-gateway_ip_addr IPV4] x [-gateway_ip_addr_step IPV4 x DEFAULT 0.0.1.0] x [-gateway_ipv6_addr IPV6] x [-gateway_ipv6_addr_step IPV6 x DEFAULT 0:0:0:1::0] x [-graceful_restart_enable CHOICES 0 1] n [-no_write ANY] x [-reconnect_time RANGE 0-300000] x [-recovery_time RANGE 0-300000] x [-reset FLAG] x [-targeted_hello_hold_time RANGE 0-65535] x [-targeted_hello_interval RANGE 0-65535] n [-override_existence_check ANY] n [-override_tracking ANY] n [-cfi ANY] n [-config_seq_no ANY] n [-egress_label_mode ANY] n [-label_start ANY] n [-label_step ANY] n [-label_type ANY] n [-loop_detection ANY] n [-max_lsps ANY] n [-max_pdu_length ANY] n [-message_aggregation ANY] n [-mtu ANY] n [-path_vector_limit ANY] n [-timeout ANY] n [-transport_ip_addr ANY] n [-user_priofity ANY] n [-vlan_cfi ANY] x [-peer_count NUMERIC] x [-interface_name ALPHA] x [-interface_multiplier NUMERIC] x [-interface_active CHOICES 0 1] x [-target_name ALPHA] x [-target_multiplier NUMERIC] x [-target_auth_key ANY] x [-initiate_targeted_hello CHOICES 0 1] x [-target_auth_mode CHOICES null md5] x [-target_active CHOICES 0 1] x [-router_name ALPHA] x [-router_multiplier NUMERIC] x [-router_active CHOICES 0 1] x [-targeted_peer_name ALPHA] x [-start_rate_scale_mode CHOICES port device_group x DEFAULT port] x [-start_rate_enabled CHOICES 0 1] x [-start_rate NUMERIC] x [-start_rate_interval NUMERIC] x [-stop_rate_scale_mode CHOICES port device_group x DEFAULT port] x [-stop_rate_enabled CHOICES 0 1] x [-stop_rate NUMERIC] x [-stop_rate_interval NUMERIC] x [-lpb_interface_name ALPHA] x [-lpb_interface_active CHOICES 0 1] x [-root_ranges_count_v4 NUMERIC] x [-leaf_ranges_count_v4 NUMERIC] x [-root_ranges_count_v6 NUMERIC] x [-leaf_ranges_count_v6 NUMERIC] x [-ipv6_peer_count NUMERIC] x [-ldp_version CHOICES version1 version2] x [-session_preference CHOICES any ipv4 ipv6] x [-include_sac ANY] x [-enable_ipv4_fec ANY] x [-enable_ipv6_fec ANY] x [-enable_fec128 ANY] x [-enable_fec129 ANY] x [-ignore_received_sac ANY] x [-enable_p2mp_capability ANY] x [-enable_bfd_mpls_learned_lsp ANY] x [-enable_lsp_ping_learned_lsp ANY] x [-lsp_type CHOICES p2MP] x [-root_address ANY] x [-root_address_count ANY] x [-root_address_step ANY] x [-lsp_count_per_root ANY] x [-label_value_start ANY] x [-label_value_step ANY] x [-continuous_increment_opaque_value_across_root ANY] x [-number_of_tlvs NUMERIC] x [-group_address_v4 ANY] x [-group_address_v6 ANY] x [-group_count_per_lsp ANY] x [-group_count_per_lsp_root ANY] x [-source_address_v4 ANY] x [-source_address_v6 ANY] x [-source_count_per_lsp ANY] x [-filter_on_group_address ANY] x [-start_group_address_v4 ANY] x [-start_group_address_v6 ANY] x [-active_leafrange ANY] x [-name ALPHA] x [-active ANY] x [-type ANY] x [-tlv_length ANY] x [-value ANY] x [-increment ANY] Arguments: -handle An LDP handle returned from this procedure and now being used when the -mode is anything but create. When -handle is provided with the /globals value the arguments that configure global protocol setting accept both multivalue handles and simple values. When -handle is provided with a a protocol stack handle or a protocol session handle, the arguments that configure global settings will only accept simple values. In this situation, these arguments will configure only the settings of the parent device group or the ports associated with the parent topology. -mode The mode that is being performed. All but create require the use of the -handle option. n -port_handle n This argument defined by Cisco is not supported for NGPF implementation. -label_adv The mode by which the simulated router advertises its FEC ranges. n -peer_discovery n This argument defined by Cisco is not supported for NGPF implementation. -count Defines the number of LDP interfaces to create. n -interface_handle n This argument defined by Cisco is not supported for NGPF implementation. n -interface_mode n This argument defined by Cisco is not supported for NGPF implementation. -intf_ip_addr Interface IP address of the LDP session router. Mandatory when -mode is create. When using IxTclNetwork (new API) this parameter can be omitted if -interface_handle is used. For IxTclProtocol (old API), when -mode is modify and one of the layer 2-3 parameters (-intf_ip_addr, -gateway_ip_addr, -loopback_ip_addr, etc) needs to be modified, the emulation_ldp_config command must be provided with the entire list of layer 2-3 parameters. Otherwise they will be set to their default values. -intf_prefix_length Prefix length on the interface. -intf_ip_addr_step Define interface IP address for multiple sessions. Valid only for -mode create. x -loopback_ip_addr x The IP address of the unconnected protocol interface that will be x created behind the intf_ip_addr interface. The loopback(unconnected) x interface is the one that will be used for LDP emulation. This type x of interface is needed when creating extended Martini sessions. x -loopback_ip_addr_step x Valid only for -mode create. x The incrementing step for the loopback_ip_addr parameter. -intf_ipv6_addr Interface IP address of the LDP session router. Mandatory when -mode is create. When using IxTclNetwork (new API) this parameter can be omitted if -interface_handle is used. For IxTclProtocol (old API), when -mode is modify and one of the layer 2-3 parameters (-intf_ip_addr, -gateway_ip_addr, -loopback_ip_addr, etc) needs to be modified, the emulation_ldp_config command must be provided
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_ldp_config.py_part1
x [-target_name ALPHA] x [-target_multiplier NUMERIC] x [-target_auth_key ANY] x [-initiate_targeted_hello CHOICES 0 1] x [-target_auth_mode CHOICES null md5] x [-target_active CHOICES 0 1] x [-router_name ALPHA] x [-router_multiplier NUMERIC] x [-router_active CHOICES 0 1] x [-targeted_peer_name ALPHA] x [-start_rate_scale_mode CHOICES port device_group x DEFAULT port] x [-start_rate_enabled CHOICES 0 1] x [-start_rate NUMERIC] x [-start_rate_interval NUMERIC] x [-stop_rate_scale_mode CHOICES port device_group x DEFAULT port] x [-stop_rate_enabled CHOICES 0 1] x [-stop_rate NUMERIC] x [-stop_rate_interval NUMERIC] x [-lpb_interface_name ALPHA] x [-lpb_interface_active CHOICES 0 1] x [-root_ranges_count_v4 NUMERIC] x [-leaf_ranges_count_v4 NUMERIC] x [-root_ranges_count_v6 NUMERIC] x [-leaf_ranges_count_v6 NUMERIC] x [-ipv6_peer_count NUMERIC] x [-ldp_version CHOICES version1 version2] x [-session_preference CHOICES any ipv4 ipv6] x [-include_sac ANY] x [-enable_ipv4_fec ANY] x [-enable_ipv6_fec ANY] x [-enable_fec128 ANY] x [-enable_fec129 ANY] x [-ignore_received_sac ANY] x [-enable_p2mp_capability ANY] x [-enable_bfd_mpls_learned_lsp ANY] x [-enable_lsp_ping_learned_lsp ANY] x [-lsp_type CHOICES p2MP] x [-root_address ANY] x [-root_address_count ANY] x [-root_address_step ANY] x [-lsp_count_per_root ANY] x [-label_value_start ANY] x [-label_value_step ANY] x [-continuous_increment_opaque_value_across_root ANY] x [-number_of_tlvs NUMERIC] x [-group_address_v4 ANY] x [-group_address_v6 ANY] x [-group_count_per_lsp ANY] x [-group_count_per_lsp_root ANY] x [-source_address_v4 ANY] x [-source_address_v6 ANY] x [-source_count_per_lsp ANY] x [-filter_on_group_address ANY] x [-start_group_address_v4 ANY] x [-start_group_address_v6 ANY] x [-active_leafrange ANY] x [-name ALPHA] x [-active ANY] x [-type ANY] x [-tlv_length ANY] x [-value ANY] x [-increment ANY] Arguments: -handle An LDP handle returned from this procedure and now being used when the -mode is anything but create. When -handle is provided with the /globals value the arguments that configure global protocol setting accept both multivalue handles and simple values. When -handle is provided with a a protocol stack handle or a protocol session handle, the arguments that configure global settings will only accept simple values. In this situation, these arguments will configure only the settings of the parent device group or the ports associated with the parent topology. -mode The mode that is being performed. All but create require the use of the -handle option. n -port_handle n This argument defined by Cisco is not supported for NGPF implementation. -label_adv The mode by which the simulated router advertises its FEC ranges. n -peer_discovery n This argument defined by Cisco is not supported for NGPF implementation. -count Defines the number of LDP interfaces to create. n -interface_handle n This argument defined by Cisco is not supported for NGPF implementation. n -interface_mode n This argument defined by Cisco is not supported for NGPF implementation. -intf_ip_addr Interface IP address of the LDP session router. Mandatory when -mode is create. When using IxTclNetwork (new API) this parameter can be omitted if -interface_handle is used. For IxTclProtocol (old API), when -mode is modify and one of the layer 2-3 parameters (-intf_ip_addr, -gateway_ip_addr, -loopback_ip_addr, etc) needs to be modified, the emulation_ldp_config command must be provided with the entire list of layer 2-3 parameters. Otherwise they will be set to their default values. -intf_prefix_length Prefix length on the interface. -intf_ip_addr_step Define interface IP address for multiple sessions. Valid only for -mode create. x -loopback_ip_addr x The IP address of the unconnected protocol interface that will be x created behind the intf_ip_addr interface. The loopback(unconnected) x interface is the one that will be used for LDP emulation. This type x of interface is needed when creating extended Martini sessions. x -loopback_ip_addr_step x Valid only for -mode create. x The incrementing step for the loopback_ip_addr parameter. -intf_ipv6_addr Interface IP address of the LDP session router. Mandatory when -mode is create. When using IxTclNetwork (new API) this parameter can be omitted if -interface_handle is used. For IxTclProtocol (old API), when -mode is modify and one of the layer 2-3 parameters (-intf_ip_addr, -gateway_ip_addr, -loopback_ip_addr, etc) needs to be modified, the emulation_ldp_config command must be provided with the entire list of layer 2-3 parameters. Otherwise they will be set to their default values. -intf_ipv6_prefix_length Prefix length on the interface. -intf_ipv6_addr_step Define interface IP address for multiple sessions. Valid only for -mode create. x -loopback_ipv6_addr x The IP address of the unconnected protocol interface that will be x created behind the intf_ip_addr interface. The loopback(unconnected) x interface is the one that will be used for LDP emulation. This type x of interface is needed when creating extended Martini sessions. x -loopback_ipv6_addr_step x Valid only for -mode create. x The incrementing step for the loopback_ip_addr parameter. x -lsr_id x The ID of the router to be emulated. x -lsr_id_step x Used to define the lsr_id step for multiple interface creations. x Valid only for -mode create. -label_space The label space identifier for the interface. -mac_address_init MAC address to be used for the first session. x -mac_address_step x Valid only for -mode create. x The incrementing step for the MAC address configured on the directly x connected interfaces. Valid only when IxNetwork Tcl API is used. -remote_ip_addr The IPv4 address of a targeted peer. -remote_ip_addr_target The IPv6 address of a targeted peer. -remote_ip_addr_step When creating multiple sessions and using the -remote_ip_addr, tells how to increment between sessions. Valid only for -mode create. -remote_ip_addr_step_target When creating multiple sessions and using the -remote_ip_addr, tells how to increment between sessions. Valid only for -mode create. -hello_interval The amount of time, expressed in seconds, between transmitted HELLO messages. -hello_hold_time The amount of time, expressed in seconds, that an LDP adjacency will be maintained in the absence of a HELLO message. -keepalive_interval The amount of time, expressed in seconds, between keep-alive messages sent from simulated routers to their adjacency in the absence of other PDUs sent to the adjacency. -keepalive_holdtime The amount of time, expressed in seconds, that an LDP adjacency will be maintained in the absence of a PDU received from the adjacency. -discard_self_adv_fecs Discard learned labels from the DUT that match any of the enabled configured IPv4 FEC ranges.This flag is only set when LDP is started.If it is to be changed later, LDP should be stopped, the value changed and then restart LDP. x -vlan x Enables vlan on the directly connected LDP router interface. x Valid options are: 0 - disable, 1 - enable. x This option is valid only when -mode is create or -mode is modify x and -handle is a LDP router handle. x This option is available only when IxNetwork tcl API is used. -vlan_id VLAN ID for protocol interface. -vlan_id_mode For multiple neighbor configuration, configures the VLAN ID mode. -vlan_id_step Valid only for -mode create. Defines the step for the VLAN ID when the VLAN ID mode is increment. When vlan_id_step causes the vlan_id value to exceed its maximum value the increment will be done modulo <number of possible vlan ids>. Examples: vlan_id = 4094; vlan_id_step = 2-> new vlan_id value = 0 vlan_id = 4095; vlan_id_step = 11 -> new vlan_id value = 10 -vlan_user_priority VLAN user priority assigned to protocol interface. n -vpi n This argument defined by Cisco is not supported for NGPF implementation. n -vci n This argument defined by Cisco is not supported for NGPF implementation. n -vpi_step n This argument defined by Cisco is not supported for NGPF implementation. n -vci_step n This argument defined by Cisco is not supported for NGPF implementation. n -atm_encapsulation n This argument defined by Cisco is not supported for NGPF implementation. x -auth_mode x Select the type of cryptographic authentication to be used for this targeted peer. x -auth_key x Active only when "md5" is selected in the Authentication Type field. x (String) Enter a value to be used as a "secret" MD5 key for authentication. x The maximum length allowed is 255 characters. x One MD5 key can be configured per interface. x -bfd_registration x Enable or disable BFD registration. x -bfd_registration_mode x Set BFD registration mode to single hop or multi hop. n -atm_range_max_vpi n This argument defined by Cisco is not supported for NGPF implementation. n -atm_range_min_vpi n This argument defined by Cisco is not supported for NGPF implementation. n -atm_range_max_vci n This argument defined by Cisco is not supported for NGPF implementation. n -atm_range_min_vci n This argument defined by Cisco is not supported for NGPF implementation. n -atm_vc_dir n This argument defined by Cisco is not supported for NGPF implementation. n -enable_explicit_include_ip_fec n This argument defined by Cisco is not supported for NGPF implementation. n -enable_l2vpn_vc_fecs n This argument defined by Cisco is not supported for NGPF implementation. n -enable_remote_connect n This argument defined by Cisco is not supported for NGPF implementation. n -enable_vc_group_matching n This argument defined by Cisco is not supported for NGPF implementation. x -gateway_ip_addr x Gives the gateway IP address for the protocol interface that will x be created for use by the simulated routers. x -gateway_ip_addr_step x Valid only for -mode create. x Gives the step for the gateway IP address. x -gateway_ipv6_addr x Gives the gateway IP address for the protocol interface that will x be created for use by the simulated routers. x -gateway_ipv6_addr_step x Valid only for -mode create.
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_ldp_config.py_part2
with the entire list of layer 2-3 parameters. Otherwise they will be set to their default values. -intf_ipv6_prefix_length Prefix length on the interface. -intf_ipv6_addr_step Define interface IP address for multiple sessions. Valid only for -mode create. x -loopback_ipv6_addr x The IP address of the unconnected protocol interface that will be x created behind the intf_ip_addr interface. The loopback(unconnected) x interface is the one that will be used for LDP emulation. This type x of interface is needed when creating extended Martini sessions. x -loopback_ipv6_addr_step x Valid only for -mode create. x The incrementing step for the loopback_ip_addr parameter. x -lsr_id x The ID of the router to be emulated. x -lsr_id_step x Used to define the lsr_id step for multiple interface creations. x Valid only for -mode create. -label_space The label space identifier for the interface. -mac_address_init MAC address to be used for the first session. x -mac_address_step x Valid only for -mode create. x The incrementing step for the MAC address configured on the directly x connected interfaces. Valid only when IxNetwork Tcl API is used. -remote_ip_addr The IPv4 address of a targeted peer. -remote_ip_addr_target The IPv6 address of a targeted peer. -remote_ip_addr_step When creating multiple sessions and using the -remote_ip_addr, tells how to increment between sessions. Valid only for -mode create. -remote_ip_addr_step_target When creating multiple sessions and using the -remote_ip_addr, tells how to increment between sessions. Valid only for -mode create. -hello_interval The amount of time, expressed in seconds, between transmitted HELLO messages. -hello_hold_time The amount of time, expressed in seconds, that an LDP adjacency will be maintained in the absence of a HELLO message. -keepalive_interval The amount of time, expressed in seconds, between keep-alive messages sent from simulated routers to their adjacency in the absence of other PDUs sent to the adjacency. -keepalive_holdtime The amount of time, expressed in seconds, that an LDP adjacency will be maintained in the absence of a PDU received from the adjacency. -discard_self_adv_fecs Discard learned labels from the DUT that match any of the enabled configured IPv4 FEC ranges.This flag is only set when LDP is started.If it is to be changed later, LDP should be stopped, the value changed and then restart LDP. x -vlan x Enables vlan on the directly connected LDP router interface. x Valid options are: 0 - disable, 1 - enable. x This option is valid only when -mode is create or -mode is modify x and -handle is a LDP router handle. x This option is available only when IxNetwork tcl API is used. -vlan_id VLAN ID for protocol interface. -vlan_id_mode For multiple neighbor configuration, configures the VLAN ID mode. -vlan_id_step Valid only for -mode create. Defines the step for the VLAN ID when the VLAN ID mode is increment. When vlan_id_step causes the vlan_id value to exceed its maximum value the increment will be done modulo <number of possible vlan ids>. Examples: vlan_id = 4094; vlan_id_step = 2-> new vlan_id value = 0 vlan_id = 4095; vlan_id_step = 11 -> new vlan_id value = 10 -vlan_user_priority VLAN user priority assigned to protocol interface. n -vpi n This argument defined by Cisco is not supported for NGPF implementation. n -vci n This argument defined by Cisco is not supported for NGPF implementation. n -vpi_step n This argument defined by Cisco is not supported for NGPF implementation. n -vci_step n This argument defined by Cisco is not supported for NGPF implementation. n -atm_encapsulation n This argument defined by Cisco is not supported for NGPF implementation. x -auth_mode x Select the type of cryptographic authentication to be used for this targeted peer. x -auth_key x Active only when "md5" is selected in the Authentication Type field. x (String) Enter a value to be used as a "secret" MD5 key for authentication. x The maximum length allowed is 255 characters. x One MD5 key can be configured per interface. x -bfd_registration x Enable or disable BFD registration. x -bfd_registration_mode x Set BFD registration mode to single hop or multi hop. n -atm_range_max_vpi n This argument defined by Cisco is not supported for NGPF implementation. n -atm_range_min_vpi n This argument defined by Cisco is not supported for NGPF implementation. n -atm_range_max_vci n This argument defined by Cisco is not supported for NGPF implementation. n -atm_range_min_vci n This argument defined by Cisco is not supported for NGPF implementation. n -atm_vc_dir n This argument defined by Cisco is not supported for NGPF implementation. n -enable_explicit_include_ip_fec n This argument defined by Cisco is not supported for NGPF implementation. n -enable_l2vpn_vc_fecs n This argument defined by Cisco is not supported for NGPF implementation. n -enable_remote_connect n This argument defined by Cisco is not supported for NGPF implementation. n -enable_vc_group_matching n This argument defined by Cisco is not supported for NGPF implementation. x -gateway_ip_addr x Gives the gateway IP address for the protocol interface that will x be created for use by the simulated routers. x -gateway_ip_addr_step x Valid only for -mode create. x Gives the step for the gateway IP address. x -gateway_ipv6_addr x Gives the gateway IP address for the protocol interface that will x be created for use by the simulated routers. x -gateway_ipv6_addr_step x Valid only for -mode create. x Gives the step for the gateway IP address. x -graceful_restart_enable x Will enable graceful restart (HA) on the LDP neighbor. n -no_write n This argument defined by Cisco is not supported for NGPF implementation. x -reconnect_time x (in milliseconds) This Fault Tolerant (FT) Reconnect Timer value is x advertised in the FT Session TLV in the Initialization message sent by x a neighbor LSR. It is a request sent by an LSR to its neighbor(s) - in x the event that the receiving neighbor detects that the LDP session has x failed, the receiver should maintain MPLS forwarding state and wait x for the sender to perform a restart of the control plane and LDP x protocol. If the value = 0, the sender is indicating that it will not x preserve its MPLS forwarding state across the restart. x If -graceful_restart_enable is set. x -recovery_time x If -graceful_restart_enable is set; (in milliseconds) x The restarting LSR is advertising the amount of time that it will x retain its MPLS forwarding state. This time period begins when it x sends the restart Initialization message, with the FT session TLV, x to the neighbor LSRs (to re-establish the LDP session). This timer x allows the neighbors some time to resync the LSPs in an orderly x manner. If the value = 0, it means that the restarting LSR was not x able to preserve the MPLS forwarding state. x -reset x If set, then all existing simulated routers will be removed x before creating a new one. x -targeted_hello_hold_time x The amount of time, expressed in seconds, that an LDP adjacency will x be maintained for a targeted peer in the absence of a HELLO message. x -targeted_hello_interval x The amount of time, expressed in seconds, between transmitted HELLO x messages to targeted peers. n -override_existence_check n This argument defined by Cisco is not supported for NGPF implementation. n -override_tracking n This argument defined by Cisco is not supported for NGPF implementation. n -cfi n This argument defined by Cisco is not supported for NGPF implementation. n -config_seq_no n This argument defined by Cisco is not supported for NGPF implementation. n -egress_label_mode n This argument defined by Cisco is not supported for NGPF implementation. n -label_start n This argument defined by Cisco is not supported for NGPF implementation. n -label_step n This argument defined by Cisco is not supported for NGPF implementation. n -label_type n This argument defined by Cisco is not supported for NGPF implementation. n -loop_detection n This argument defined by Cisco is not supported for NGPF implementation. n -max_lsps n This argument defined by Cisco is not supported for NGPF implementation. n -max_pdu_length n This argument defined by Cisco is not supported for NGPF implementation. n -message_aggregation n This argument defined by Cisco is not supported for NGPF implementation. n -mtu n This argument defined by Cisco is not supported for NGPF implementation. n -path_vector_limit n This argument defined by Cisco is not supported for NGPF implementation. n -timeout n This argument defined by Cisco is not supported for NGPF implementation. n -transport_ip_addr n This argument defined by Cisco is not supported for NGPF implementation. n -user_priofity n This argument defined by Cisco is not supported for NGPF implementation. n -vlan_cfi n This argument defined by Cisco is not supported for NGPF implementation. x -peer_count x Peer Count(multiplier) x -interface_name x NOT DEFINED x -interface_multiplier x number of layer instances per parent instance (multiplier) x -interface_active x Flag. x -target_name x NOT DEFINED x -target_multiplier x number of this object per parent object x -target_auth_key x MD5Key x -initiate_targeted_hello x Initiate Targeted Hello x -target_auth_mode x The Authentication mode which will be used. x -target_active x Enable or Disable LDP Targeted Peer x -router_name x NOT DEFINED x -router_multiplier x number of layer instances per parent instance (multiplier) x -router_active x Enable or Disable LDP Router x -targeted_peer_name x Targted Peer Name. x -start_rate_scale_mode x Indicates whether the control is specified per port or per device group x -start_rate_enabled x Enabled x -start_rate x Number of times an action is triggered per time interval x -start_rate_interval x Time interval used to calculate the rate for triggering an action (rate = count/interval) x -stop_rate_scale_mode x Indicates whether the control is specified per port or per device group x -stop_rate_enabled x Enabled x -stop_rate x Number of times an action is triggered per time interval x -stop_rate_interval x Time interval used to calculate the rate for triggering an action (rate = count/interval) x -lpb_interface_name x Name of NGPF element x -lpb_interface_active x Enable or Disable LDP Interface x -root_ranges_count_v4 x The number of Root Ranges configured for this LDP router x -leaf_ranges_count_v4 x The number of Leaf Ranges configured for this LDP router x -root_ranges_count_v6 x The number of Root Ranges configured for this LDP router x -leaf_ranges_count_v6 x The number of Leaf Ranges configured for this LDP router x -ipv6_peer_count x The number of Ipv6 peers x -ldp_version
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_ldp_config.py_part3
x Valid only for -mode create. x Gives the step for the gateway IP address. x -graceful_restart_enable x Will enable graceful restart (HA) on the LDP neighbor. n -no_write n This argument defined by Cisco is not supported for NGPF implementation. x -reconnect_time x (in milliseconds) This Fault Tolerant (FT) Reconnect Timer value is x advertised in the FT Session TLV in the Initialization message sent by x a neighbor LSR. It is a request sent by an LSR to its neighbor(s) - in x the event that the receiving neighbor detects that the LDP session has x failed, the receiver should maintain MPLS forwarding state and wait x for the sender to perform a restart of the control plane and LDP x protocol. If the value = 0, the sender is indicating that it will not x preserve its MPLS forwarding state across the restart. x If -graceful_restart_enable is set. x -recovery_time x If -graceful_restart_enable is set; (in milliseconds) x The restarting LSR is advertising the amount of time that it will x retain its MPLS forwarding state. This time period begins when it x sends the restart Initialization message, with the FT session TLV, x to the neighbor LSRs (to re-establish the LDP session). This timer x allows the neighbors some time to resync the LSPs in an orderly x manner. If the value = 0, it means that the restarting LSR was not x able to preserve the MPLS forwarding state. x -reset x If set, then all existing simulated routers will be removed x before creating a new one. x -targeted_hello_hold_time x The amount of time, expressed in seconds, that an LDP adjacency will x be maintained for a targeted peer in the absence of a HELLO message. x -targeted_hello_interval x The amount of time, expressed in seconds, between transmitted HELLO x messages to targeted peers. n -override_existence_check n This argument defined by Cisco is not supported for NGPF implementation. n -override_tracking n This argument defined by Cisco is not supported for NGPF implementation. n -cfi n This argument defined by Cisco is not supported for NGPF implementation. n -config_seq_no n This argument defined by Cisco is not supported for NGPF implementation. n -egress_label_mode n This argument defined by Cisco is not supported for NGPF implementation. n -label_start n This argument defined by Cisco is not supported for NGPF implementation. n -label_step n This argument defined by Cisco is not supported for NGPF implementation. n -label_type n This argument defined by Cisco is not supported for NGPF implementation. n -loop_detection n This argument defined by Cisco is not supported for NGPF implementation. n -max_lsps n This argument defined by Cisco is not supported for NGPF implementation. n -max_pdu_length n This argument defined by Cisco is not supported for NGPF implementation. n -message_aggregation n This argument defined by Cisco is not supported for NGPF implementation. n -mtu n This argument defined by Cisco is not supported for NGPF implementation. n -path_vector_limit n This argument defined by Cisco is not supported for NGPF implementation. n -timeout n This argument defined by Cisco is not supported for NGPF implementation. n -transport_ip_addr n This argument defined by Cisco is not supported for NGPF implementation. n -user_priofity n This argument defined by Cisco is not supported for NGPF implementation. n -vlan_cfi n This argument defined by Cisco is not supported for NGPF implementation. x -peer_count x Peer Count(multiplier) x -interface_name x NOT DEFINED x -interface_multiplier x number of layer instances per parent instance (multiplier) x -interface_active x Flag. x -target_name x NOT DEFINED x -target_multiplier x number of this object per parent object x -target_auth_key x MD5Key x -initiate_targeted_hello x Initiate Targeted Hello x -target_auth_mode x The Authentication mode which will be used. x -target_active x Enable or Disable LDP Targeted Peer x -router_name x NOT DEFINED x -router_multiplier x number of layer instances per parent instance (multiplier) x -router_active x Enable or Disable LDP Router x -targeted_peer_name x Targted Peer Name. x -start_rate_scale_mode x Indicates whether the control is specified per port or per device group x -start_rate_enabled x Enabled x -start_rate x Number of times an action is triggered per time interval x -start_rate_interval x Time interval used to calculate the rate for triggering an action (rate = count/interval) x -stop_rate_scale_mode x Indicates whether the control is specified per port or per device group x -stop_rate_enabled x Enabled x -stop_rate x Number of times an action is triggered per time interval x -stop_rate_interval x Time interval used to calculate the rate for triggering an action (rate = count/interval) x -lpb_interface_name x Name of NGPF element x -lpb_interface_active x Enable or Disable LDP Interface x -root_ranges_count_v4 x The number of Root Ranges configured for this LDP router x -leaf_ranges_count_v4 x The number of Leaf Ranges configured for this LDP router x -root_ranges_count_v6 x The number of Root Ranges configured for this LDP router x -leaf_ranges_count_v6 x The number of Leaf Ranges configured for this LDP router x -ipv6_peer_count x The number of Ipv6 peers x -ldp_version x Version of LDP. When RFC 5036 is chosen, LDP version is version 1. When draft-pdutta-mpls-ldp-adj-capability-00 is chosen, LDP version is version 2 x -session_preference x The transport connection preference of the LDP router that is conveyed in Dual-stack capability TLV included in LDP Hello message. x -include_sac x Select to include 'State Advertisement Control Capability' TLV in Initialization message and Capability message x -enable_ipv4_fec x If selected, IPv4-Prefix LSP app type is enabled in SAC TLV. x -enable_ipv6_fec x If selected, IPv6-Prefix LSP app type is enabled in SAC TLV. x -enable_fec128 x If selected, FEC128 P2P-PW app type is enabled in SAC TLV. x -enable_fec129 x If selected, FEC129 P2P-PW app type is enabled in SAC TLV. x -ignore_received_sac x If selected, LDP Router ignores SAC TLV it receives. x -enable_p2mp_capability x If selected, LDP Router is P2MP capable. x -enable_bfd_mpls_learned_lsp x If selected, BFD MPLS is enabled. x -enable_lsp_ping_learned_lsp x If selected, LSP Ping is enabled for learned LSPs. x -lsp_type x LSP Type x -root_address x Root Address x -root_address_count x Root Address Count x -root_address_step x Root Address Step x -lsp_count_per_root x LSP Count Per Root x -label_value_start x Label Value Start x -label_value_step x Label Value Step x -continuous_increment_opaque_value_across_root x Continuous Increment Opaque Value Across Root x -number_of_tlvs x Number Of TLVs x -group_address_v4 x IPv4 Group Address x -group_address_v6 x IPv6 Group Address x -group_count_per_lsp x Group Count per LSP x -group_count_per_lsp_root x Group Count per LSP x -source_address_v4 x IPv4 Source Address x -source_address_v6 x IPv6 Source Address x -source_count_per_lsp x Source Count Per LSP x -filter_on_group_address x If selected, all the LSPs will belong to the same set of groups x -start_group_address_v4 x Start Group Address(V4) x -start_group_address_v6 x Start Group Address(V6) x -active_leafrange x Activate/Deactivate Configuration x -name x Name of NGPF element, guaranteed to be unique in Scenario x -active x If selected, Then the TLV is enabled x -type x Type x -tlv_length x Length x -value x Value x -increment x Increment Step Return Values: A list containing the ipv4 loopback protocol stack handles that were added by the command (if any). x key:ipv4_loopback_handle value:A list containing the ipv4 loopback protocol stack handles that were added by the command (if any). A list containing the ipv6 loopback protocol stack handles that were added by the command (if any). x key:ipv6_loopback_handle value:A list containing the ipv6 loopback protocol stack handles that were added by the command (if any). A list containing the ipv4 protocol stack handles that were added by the command (if any). x key:ipv4_handle value:A list containing the ipv4 protocol stack handles that were added by the command (if any). A list containing the ipv6 protocol stack handles that were added by the command (if any). x key:ipv6_handle value:A list containing the ipv6 protocol stack handles that were added by the command (if any). A list containing the ethernet protocol stack handles that were added by the command (if any). x key:ethernet_handle value:A list containing the ethernet protocol stack handles that were added by the command (if any). A list containing the ldp basic router protocol stack handles that were added by the command (if any). x key:ldp_basic_router_handle value:A list containing the ldp basic router protocol stack handles that were added by the command (if any). A list containing the ldp connected interface protocol stack handles that were added by the command (if any). x key:ldp_connected_interface_handle value:A list containing the ldp connected interface protocol stack handles that were added by the command (if any). A list containing the ldp targeted router protocol stack handles that were added by the command (if any). x key:ldp_targeted_router_handle value:A list containing the ldp targeted router protocol stack handles that were added by the command (if any). A list containing the leaf ranges protocol stack handles that were added by the command (if any). x key:leaf_ranges value:A list containing the leaf ranges protocol stack handles that were added by the command (if any). A list containing the root ranges protocol stack handles that were added by the command (if any). x key:root_ranges value:A list containing the root ranges protocol stack handles that were added by the command (if any). A list containing the ldpv6 basic router protocol stack handles that were added by the command (if any). x key:ldpv6_basic_router_handle value:A list containing the ldpv6 basic router protocol stack handles that were added by the command (if any). A list containing the ldpv6 connected interface protocol stack handles that were added by the command (if any). x key:ldpv6_connected_interface_handle value:A list containing the ldpv6 connected interface protocol stack handles that were added by the command (if any). A list containing the ldpv6 targeted router protocol stack handles that were added by the command (if any). x key:ldpv6_targeted_router_handle value:A list containing the ldpv6 targeted router protocol stack handles that were added by the command (if any). $::SUCCESS | $::FAILURE key:status value:$::SUCCESS | $::FAILURE If status is failure, detailed information provided. key:log value:If status is failure, detailed information provided.
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_ldp_config.py_part4
x Version of LDP. When RFC 5036 is chosen, LDP version is version 1. When draft-pdutta-mpls-ldp-adj-capability-00 is chosen, LDP version is version 2 x -session_preference x The transport connection preference of the LDP router that is conveyed in Dual-stack capability TLV included in LDP Hello message. x -include_sac x Select to include 'State Advertisement Control Capability' TLV in Initialization message and Capability message x -enable_ipv4_fec x If selected, IPv4-Prefix LSP app type is enabled in SAC TLV. x -enable_ipv6_fec x If selected, IPv6-Prefix LSP app type is enabled in SAC TLV. x -enable_fec128 x If selected, FEC128 P2P-PW app type is enabled in SAC TLV. x -enable_fec129 x If selected, FEC129 P2P-PW app type is enabled in SAC TLV. x -ignore_received_sac x If selected, LDP Router ignores SAC TLV it receives. x -enable_p2mp_capability x If selected, LDP Router is P2MP capable. x -enable_bfd_mpls_learned_lsp x If selected, BFD MPLS is enabled. x -enable_lsp_ping_learned_lsp x If selected, LSP Ping is enabled for learned LSPs. x -lsp_type x LSP Type x -root_address x Root Address x -root_address_count x Root Address Count x -root_address_step x Root Address Step x -lsp_count_per_root x LSP Count Per Root x -label_value_start x Label Value Start x -label_value_step x Label Value Step x -continuous_increment_opaque_value_across_root x Continuous Increment Opaque Value Across Root x -number_of_tlvs x Number Of TLVs x -group_address_v4 x IPv4 Group Address x -group_address_v6 x IPv6 Group Address x -group_count_per_lsp x Group Count per LSP x -group_count_per_lsp_root x Group Count per LSP x -source_address_v4 x IPv4 Source Address x -source_address_v6 x IPv6 Source Address x -source_count_per_lsp x Source Count Per LSP x -filter_on_group_address x If selected, all the LSPs will belong to the same set of groups x -start_group_address_v4 x Start Group Address(V4) x -start_group_address_v6 x Start Group Address(V6) x -active_leafrange x Activate/Deactivate Configuration x -name x Name of NGPF element, guaranteed to be unique in Scenario x -active x If selected, Then the TLV is enabled x -type x Type x -tlv_length x Length x -value x Value x -increment x Increment Step Return Values: A list containing the ipv4 loopback protocol stack handles that were added by the command (if any). x key:ipv4_loopback_handle value:A list containing the ipv4 loopback protocol stack handles that were added by the command (if any). A list containing the ipv6 loopback protocol stack handles that were added by the command (if any). x key:ipv6_loopback_handle value:A list containing the ipv6 loopback protocol stack handles that were added by the command (if any). A list containing the ipv4 protocol stack handles that were added by the command (if any). x key:ipv4_handle value:A list containing the ipv4 protocol stack handles that were added by the command (if any). A list containing the ipv6 protocol stack handles that were added by the command (if any). x key:ipv6_handle value:A list containing the ipv6 protocol stack handles that were added by the command (if any). A list containing the ethernet protocol stack handles that were added by the command (if any). x key:ethernet_handle value:A list containing the ethernet protocol stack handles that were added by the command (if any). A list containing the ldp basic router protocol stack handles that were added by the command (if any). x key:ldp_basic_router_handle value:A list containing the ldp basic router protocol stack handles that were added by the command (if any). A list containing the ldp connected interface protocol stack handles that were added by the command (if any). x key:ldp_connected_interface_handle value:A list containing the ldp connected interface protocol stack handles that were added by the command (if any). A list containing the ldp targeted router protocol stack handles that were added by the command (if any). x key:ldp_targeted_router_handle value:A list containing the ldp targeted router protocol stack handles that were added by the command (if any). A list containing the leaf ranges protocol stack handles that were added by the command (if any). x key:leaf_ranges value:A list containing the leaf ranges protocol stack handles that were added by the command (if any). A list containing the root ranges protocol stack handles that were added by the command (if any). x key:root_ranges value:A list containing the root ranges protocol stack handles that were added by the command (if any). A list containing the ldpv6 basic router protocol stack handles that were added by the command (if any). x key:ldpv6_basic_router_handle value:A list containing the ldpv6 basic router protocol stack handles that were added by the command (if any). A list containing the ldpv6 connected interface protocol stack handles that were added by the command (if any). x key:ldpv6_connected_interface_handle value:A list containing the ldpv6 connected interface protocol stack handles that were added by the command (if any). A list containing the ldpv6 targeted router protocol stack handles that were added by the command (if any). x key:ldpv6_targeted_router_handle value:A list containing the ldpv6 targeted router protocol stack handles that were added by the command (if any). $::SUCCESS | $::FAILURE key:status value:$::SUCCESS | $::FAILURE If status is failure, detailed information provided. key:log value:If status is failure, detailed information provided. List of LDP routers created Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. key:handle value:List of LDP routers created Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. Examples: See files starting with LDP_ in the Samples subdirectory. Also see some of the L2VPN, L3VPN, MPLS, and MVPN sample files for further examples of the LDP usage. See the LDP example in Appendix A, "Example APIs," for one specific example usage. Sample Input: Sample Output: Notes: Coded versus functional specification. If one wants to modify the ineterface to which the protocol interface is connected, one has to specify the correct MAC address of that interface. If this requirement is not fulfilled, the interface is not guaranteed to be correctly determined because more interfaces can have the exact same configuration. When -handle is provided with the /globals value the arguments that configure global protocol setting accept both multivalue handles and simple values. When -handle is provided with a a protocol stack handle or a protocol session handle, the arguments that configure global settings will only accept simple values. In this situation, these arguments will configure only the settings of the parent device group or the ports associated with the parent topology. If the current session or command was run with -return_detailed_handles 0 the following keys will be omitted from the command response: handle See Also: ''' hlpy_args = locals().copy() hlpy_args.update(kwargs) del hlpy_args['self'] del hlpy_args['kwargs'] not_implemented_params = [] mandatory_params = [] file_params = [] try: return self.__execute_command( 'emulation_ldp_config', not_implemented_params, mandatory_params, file_params, hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_ldp_config.py_part5
List of LDP routers created Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. key:handle value:List of LDP routers created Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. Examples: See files starting with LDP_ in the Samples subdirectory. Also see some of the L2VPN, L3VPN, MPLS, and MVPN sample files for further examples of the LDP usage. See the LDP example in Appendix A, "Example APIs," for one specific example usage. Sample Input: Sample Output: Notes: Coded versus functional specification. If one wants to modify the ineterface to which the protocol interface is connected, one has to specify the correct MAC address of that interface. If this requirement is not fulfilled, the interface is not guaranteed to be correctly determined because more interfaces can have the exact same configuration. When -handle is provided with the /globals value the arguments that configure global protocol setting accept both multivalue handles and simple values. When -handle is provided with a a protocol stack handle or a protocol session handle, the arguments that configure global settings will only accept simple values. In this situation, these arguments will configure only the settings of the parent device group or the ports associated with the parent topology. If the current session or command was run with -return_detailed_handles 0 the following keys will be omitted from the command response: handle See Also: ''' hlpy_args = locals().copy() hlpy_args.update(kwargs) del hlpy_args['self'] del hlpy_args['kwargs'] not_implemented_params = [] mandatory_params = [] file_params = [] try: return self.__execute_command( 'emulation_ldp_config', not_implemented_params, mandatory_params, file_params, hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_ldp_config.py_part6
#!/usr/bin/env python # -*- coding: utf-8 -*- from __future__ import absolute_import, print_function, division import sys import ixiautil from ixiahlt import IxiaHlt from ixiangpf import IxiaNgpf class IxiaNgpf(ixiautil.PartialClass, IxiaNgpf): # TODO: set man and defaulted args, docstring def cleanup_session(self, **kwargs): ''' Procedure Header Name: ::ixiangpf::cleanup_session Description: This command disconnects from chassis, IxNetwork Tcl Server and Tcl Server, resets to factory defaults, and removes ownership from a list of ports. This command can be used after a script is run. Synopsis: ::ixiangpf::cleanup_session x [-port_handle REGEXP ^[0-9]+/[0-9]+/[0-9]+$] [-maintain_lock CHOICES 0 1 CHOICES 1 0] x [-clear_csv CHOICES 0 1] x [-skip_wait_pending_operations FLAG] x [-reset FLAG] n [-handle ANY] Arguments: x -port_handle x List ports to release. x When using IxTclHal, IxTclProtocol or IxTclAccess, -port_handle option x should always be present, otherwise only the disconnect part will be x completed. -maintain_lock When using IxNetwork with the -reset option, this parameter will be ignored. x -clear_csv x Valid choices are: x 0 - The CSV files are not deleted after cleanup_session procedure is called x 1 - The CSV files created after calling traffic_stats are deleted x -skip_wait_pending_operations x If there are any disconnect operations issued, this flag will prevent x procedure from waiting for them to end. If this flag is used then x there is no warrantythat the disconnect operations have ended and x exiting the script with these operations still running can be the x source of errors. x -reset x Reset the ports to factory defaults before releasing them. x When using IxTclHal and IxTclProtocol, -port_handle option should be x present also, otherwise the reset will not be completed. n -handle n This argument defined by Cisco is not supported for NGPF implementation. Return Values: $::SUCCESS | $::FAILURE key:status value:$::SUCCESS | $::FAILURE On status of failure, gives detailed information. key:log value:On status of failure, gives detailed information. ''' result = {'status': IxiaHlt.SUCCESS} try: # Will not fail the cleanup_session if the remove or commit fails. The user might be already disconnected # if TCP timeout out or from other reasons and he want to cleanup the session. if self.__session_id: self.ixnet.remove(self.__session_id) self.__commit() # Try to cleanup the IxNetwork connection self.ixnet.disconnect() except (Exception, ): e = sys.exc_info()[1] # Log failure, but continue to run legacy cleanup result['log'] = "Could not cleanup IxNetwork session gracefully: " + str(e) self.__session_id = None legacy_result = self.ixiahlt.cleanup_session(**kwargs) if legacy_result['status'] == IxiaHlt.FAIL: result['status'] = IxiaHlt.FAIL if 'log' in result: if 'log' in legacy_result: legacy_result['log'] = "%s; %s" % (legacy_result['log'], result['log']) else: legacy_result['log'] = result['log'] return legacy_result
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/cleanup_session.py_part1
# -*- coding: utf-8 -*- import sys from ixiaerror import IxiaError from ixiangpf import IxiaNgpf from ixiautil import PartialClass, make_hltapi_fail class IxiaNgpf(PartialClass, IxiaNgpf): def emulation_pce_config(self, mode, **kwargs): r''' #Procedure Header Name: emulation_pce_config Description: This procedure will add PCE and PCC Groups to a particular Ixia Interface. The user can then configure, PCC Groups by using the procedure PCRequest Match Criteria , PCReply LSP Parameters and PCE Initiated LSP Parameters . Synopsis: emulation_pce_config -mode CHOICES create CHOICES delete CHOICES modify CHOICES enable CHOICES disable [-port_handle REGEXP ^[0-9]+/[0-9]+/[0-9]+$] [-handle ANY] x [-pce_active ANY] x [-pce_name ALPHA] x [-pce_action_mode CHOICES none x CHOICES reset x CHOICES rsvpPcInitiate x CHOICES rsvpPcrep x CHOICES rsvpPcupd x CHOICES srPcrep] x [-pc_reply_lsps_per_pcc NUMERIC] x [-pcc_ipv4_address ANY] x [-pcc_ipv4_address_step ANY] x [-max_lsps_per_pc_initiate ANY] x [-keepalive_interval ANY] x [-dead_interval ANY] x [-pce_initiated_lsps_per_pcc NUMERIC] x [-stateful_pce_capability ANY] x [-lsp_update_capability ANY] x [-sr_pce_capability ANY] x [-pce_ppag_t_l_v_type ANY] x [-authentication CHOICES null md5] x [-m_d5_key ANY] x [-rate_control ANY] x [-burst_interval ANY] x [-max_initiated_lsp_per_interval ANY] x [-pcc_group_active ANY] x [-pcc_group_name ALPHA] x [-multiplier NUMERIC] x [-path_setup_type CHOICES sr rsvpte] x [-include_end_points ANY] x [-include_srp ANY] x [-pce_initiate_include_lsp ANY] x [-include_ero ANY] x [-pce_initiate_include_metric ANY] x [-pce_initiate_include_bandwidth ANY] x [-pce_initiate_include_lspa ANY] x [-pce_initiate_ip_version CHOICES ipv4 ipv6] x [-src_end_point_ipv4 ANY] x [-src_end_point_ipv4_step ANY] x [-dest_end_point_ipv4 ANY] x [-dest_end_point_ipv4_step ANY] x [-src_end_point_ipv6 ANY] x [-src_end_point_ipv6_step ANY] x [-dest_end_point_ipv6 ANY] x [-dest_end_point_ipv6_step ANY] x [-override_srp_id_number CHOICES 0 1] x [-srp_id_number ANY] x [-override_plsp_id CHOICES 0 1] x [-pce_initiate_plsp_id ANY] x [-pce_initiate_include_symbolic_path_name_tlv ANY] x [-pce_initiate_symbolic_path_name ANY] x [-pce_initiate_include_t_e_path_binding_t_l_v ANY] x [-pce_initiate_send_empty_t_l_v ANY] x [-pce_initiate_binding_type CHOICES mplslabel20bit mplslabel32bit] x [-pce_initiate_mpls_label ANY] x [-pce_initiate_tc ANY] x [-pce_initiate_bos ANY] x [-pce_initiate_ttl ANY] x [-pce_initiate_number_of_ero_sub_objects NUMERIC] x [-pce_initiate_number_of_metric_sub_object NUMERIC] x [-pce_initiate_bandwidth ANY] x [-pce_initiate_setup_priority ANY] x [-pce_initiate_holding_priority ANY] x [-pce_initiate_local_protection ANY] x [-pce_initiate_include_any ANY] x [-pce_initiate_include_all ANY] x [-pce_initiate_exclude_any ANY] x [-include_association ANY] x [-association_id ANY] x [-protection_lsp ANY] x [-standby_mode ANY] x [-pce_initiate_enable_xro ANY] x [-pce_initiate_fail_bit ANY] x [-pce_initiate_number_of_Xro_sub_objects NUMERIC] x [-pce_initiate_lsp_parameters_active ANY] x [-pce_initiate_xro_active ANY] x [-pce_initiate_exclude_bit ANY] x [-pce_initiate_xro_attribute CHOICES interface node srlg] x [-pce_initiate_xro_sub_object_type CHOICES ipv4prefix x CHOICES ipv6prefix x CHOICES unnumberedinterfaceid x CHOICES asnumber x CHOICES srlg] x [-pce_initiate_xro_prefix_length ANY] x [-pce_initiate_xro_ipv4_address ANY] x [-pce_initiate_xro_ipv4_address_step ANY] x [-pce_initiate_xro_ipv6_address ANY] x [-pce_initiate_xro_ipv6_address_step ANY] x [-pce_initiate_xro_router_id ANY] x [-pce_initiate_xro_router_id_step ANY] x [-pce_initiate_xro_interface_id ANY] x [-pce_initiate_xro_as_number ANY] x [-pce_initiate_srlg_id ANY] x [-pce_initiate_pce_id32 ANY] x [-pce_initiate_pce_id128 ANY] x [-pcep_ero_sub_objects_list_active ANY] x [-loose_hop ANY] x [-sub_object_type CHOICES null x CHOICES ipv4prefix x CHOICES ipv6prefix x CHOICES asnumber] x [-prefix_length ANY] x [-ipv4_prefix ANY] x [-ipv4_prefix_step ANY] x [-ipv6_prefix ANY] x [-ipv6_prefix_step ANY] x [-as_number ANY] x [-sid_type CHOICES null x CHOICES sid x CHOICES mplslabel20bit x CHOICES mplslabel32bit] x [-sid ANY] x [-mpls_label ANY] x [-tc ANY] x [-bos ANY] x [-ttl ANY] x [-nai_type CHOICES notapplicable x CHOICES ipv4nodeid x CHOICES ipv6nodeid x CHOICES ipv4adjacency x CHOICES ipv6adjacency x CHOICES unnumberedadjacencywithipv4nodeids x CHOICES ipv6linklocaladjacency] x [-f_bit ANY] x [-ipv4_node_id ANY] x [-ipv4_node_id_step ANY] x [-ipv6_node_id ANY] x [-ipv6_node_id_step ANY] x [-local_ipv4_address ANY] x [-local_ipv4_address_step ANY] x [-remote_ipv4_address ANY] x [-remote_ipv4_address_step ANY] x [-local_ipv6_address ANY] x [-local_ipv6_address_step ANY] x [-remote_ipv6_address ANY] x [-remote_ipv6_address_step ANY] x [-local_node_id ANY] x [-local_node_id_step ANY] x [-local_interface_id ANY] x [-remote_node_id ANY] x [-remote_node_id_step ANY] x [-remote_interface_id ANY] x [-pcep_metric_sub_objects_list_active ANY] x [-metric_type CHOICES igp tg hopcount msd] x [-metric_value ANY] x [-b_flag ANY] x [-response_options CHOICES crep crepwithnopath] x [-response_path_type CHOICES sr rsvpte] x [-include_rp ANY] x [-pc_reply_include_lsp ANY] x [-enable_ero ANY] x [-pc_reply_include_metric ANY] x [-pc_reply_include_bandwidth ANY] x [-pc_reply_include_lspa ANY] x [-enable_xro ANY] x [-process_type CHOICES configure reflect] x [-reflect_r_p ANY] x [-request_id ANY] x [-enable_loose ANY] x [-bi_directional ANY] x [-priority_value ANY] x [-pc_reply_number_of_ero_sub_objects NUMERIC] x [-pc_reply_number_of_metric_sub_object NUMERIC] x [-pc_reply_bandwidth ANY] x [-reflect_l_s_p ANY] x [-pc_reply_plsp_id ANY] x [-pc_reply_include_symbolic_path_name_tlv ANY] x [-pc_reply_symbolic_path_name ANY] x [-pc_reply_include_t_e_path_binding_t_l_v ANY] x [-pc_reply_send_empty_t_l_v ANY] x [-pc_reply_binding_type CHOICES mplslabel20bit mplslabel32bit] x [-pc_reply_mpls_label ANY] x [-pc_reply_tc ANY] x [-pc_reply_bos ANY] x [-pc_reply_ttl ANY] x [-pc_reply_setup_priority ANY] x [-pc_reply_holding_priority ANY] x [-pc_reply_local_protection ANY] x [-pc_reply_include_any ANY] x [-pc_reply_include_all ANY] x [-pc_reply_exclude_any ANY] x [-nature_of_issue ANY] x [-enable_c_flag ANY] x [-reflected_object_no_path CHOICES elect_reflected_object x CHOICES metric x CHOICES bandwidth x CHOICES iro x CHOICES lspa x CHOICES xro] x [-fail_bit ANY] x [-number_of_Xro_sub_objects NUMERIC] x [-pc_reply_active ANY] x [-xro_active ANY] x [-exclude_bit ANY] x [-xro_attribute CHOICES interface node srlg] x [-xro_sub_object_type CHOICES ipv4prefix x CHOICES ipv6prefix x CHOICES unnumberedinterfaceid
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_pce_config.py_part1
x [-pce_initiate_xro_ipv4_address_step ANY] x [-pce_initiate_xro_ipv6_address ANY] x [-pce_initiate_xro_ipv6_address_step ANY] x [-pce_initiate_xro_router_id ANY] x [-pce_initiate_xro_router_id_step ANY] x [-pce_initiate_xro_interface_id ANY] x [-pce_initiate_xro_as_number ANY] x [-pce_initiate_srlg_id ANY] x [-pce_initiate_pce_id32 ANY] x [-pce_initiate_pce_id128 ANY] x [-pcep_ero_sub_objects_list_active ANY] x [-loose_hop ANY] x [-sub_object_type CHOICES null x CHOICES ipv4prefix x CHOICES ipv6prefix x CHOICES asnumber] x [-prefix_length ANY] x [-ipv4_prefix ANY] x [-ipv4_prefix_step ANY] x [-ipv6_prefix ANY] x [-ipv6_prefix_step ANY] x [-as_number ANY] x [-sid_type CHOICES null x CHOICES sid x CHOICES mplslabel20bit x CHOICES mplslabel32bit] x [-sid ANY] x [-mpls_label ANY] x [-tc ANY] x [-bos ANY] x [-ttl ANY] x [-nai_type CHOICES notapplicable x CHOICES ipv4nodeid x CHOICES ipv6nodeid x CHOICES ipv4adjacency x CHOICES ipv6adjacency x CHOICES unnumberedadjacencywithipv4nodeids x CHOICES ipv6linklocaladjacency] x [-f_bit ANY] x [-ipv4_node_id ANY] x [-ipv4_node_id_step ANY] x [-ipv6_node_id ANY] x [-ipv6_node_id_step ANY] x [-local_ipv4_address ANY] x [-local_ipv4_address_step ANY] x [-remote_ipv4_address ANY] x [-remote_ipv4_address_step ANY] x [-local_ipv6_address ANY] x [-local_ipv6_address_step ANY] x [-remote_ipv6_address ANY] x [-remote_ipv6_address_step ANY] x [-local_node_id ANY] x [-local_node_id_step ANY] x [-local_interface_id ANY] x [-remote_node_id ANY] x [-remote_node_id_step ANY] x [-remote_interface_id ANY] x [-pcep_metric_sub_objects_list_active ANY] x [-metric_type CHOICES igp tg hopcount msd] x [-metric_value ANY] x [-b_flag ANY] x [-response_options CHOICES crep crepwithnopath] x [-response_path_type CHOICES sr rsvpte] x [-include_rp ANY] x [-pc_reply_include_lsp ANY] x [-enable_ero ANY] x [-pc_reply_include_metric ANY] x [-pc_reply_include_bandwidth ANY] x [-pc_reply_include_lspa ANY] x [-enable_xro ANY] x [-process_type CHOICES configure reflect] x [-reflect_r_p ANY] x [-request_id ANY] x [-enable_loose ANY] x [-bi_directional ANY] x [-priority_value ANY] x [-pc_reply_number_of_ero_sub_objects NUMERIC] x [-pc_reply_number_of_metric_sub_object NUMERIC] x [-pc_reply_bandwidth ANY] x [-reflect_l_s_p ANY] x [-pc_reply_plsp_id ANY] x [-pc_reply_include_symbolic_path_name_tlv ANY] x [-pc_reply_symbolic_path_name ANY] x [-pc_reply_include_t_e_path_binding_t_l_v ANY] x [-pc_reply_send_empty_t_l_v ANY] x [-pc_reply_binding_type CHOICES mplslabel20bit mplslabel32bit] x [-pc_reply_mpls_label ANY] x [-pc_reply_tc ANY] x [-pc_reply_bos ANY] x [-pc_reply_ttl ANY] x [-pc_reply_setup_priority ANY] x [-pc_reply_holding_priority ANY] x [-pc_reply_local_protection ANY] x [-pc_reply_include_any ANY] x [-pc_reply_include_all ANY] x [-pc_reply_exclude_any ANY] x [-nature_of_issue ANY] x [-enable_c_flag ANY] x [-reflected_object_no_path CHOICES elect_reflected_object x CHOICES metric x CHOICES bandwidth x CHOICES iro x CHOICES lspa x CHOICES xro] x [-fail_bit ANY] x [-number_of_Xro_sub_objects NUMERIC] x [-pc_reply_active ANY] x [-xro_active ANY] x [-exclude_bit ANY] x [-xro_attribute CHOICES interface node srlg] x [-xro_sub_object_type CHOICES ipv4prefix x CHOICES ipv6prefix x CHOICES unnumberedinterfaceid x CHOICES asnumber x CHOICES srlg] x [-xro_prefix_length ANY] x [-xro_ipv4_address ANY] x [-xro_ipv4_address_step ANY] x [-xro_ipv6_address ANY] x [-xro_ipv6_address_step ANY] x [-xro_router_id ANY] x [-xro_router_id_step ANY] x [-xro_interface_id ANY] x [-xro_as_number ANY] x [-srlg_id ANY] x [-pce_id32 ANY] x [-pce_id128 ANY] x [-pc_request_ip_version CHOICES ipv4 ipv6] x [-src_ipv4_address ANY] x [-src_ipv4_address_step ANY] x [-dest_ipv4_address ANY] x [-dest_ipv4_address_step ANY] x [-src_ipv6_address ANY] x [-src_ipv6_address_step ANY] x [-dest_ipv6_address ANY] x [-dest_ipv6_address_step ANY] x [-pc_request_active ANY] x [-learned_info_update_item NUMERIC] x [-trigger_number_of_ero_sub_objects NUMERIC] x [-trigger_number_of_metric_sub_objects NUMERIC] x [-pce_triggers_choice_list CHOICES sendupdate] x [-trigger_include_srp ANY] x [-trigger_configure_lsp CHOICES dontinclude reflect modify] x [-trigger_configure_ero CHOICES dontinclude reflect modify] x [-trigger_configure_lspa CHOICES dontinclude reflect modify] x [-trigger_configure_bandwidth CHOICES dontinclude reflect modify] x [-trigger_configure_metric CHOICES dontinclude reflect modify] x [-trigger_override_srp_id ANY] x [-trigger_srp_id ANY] x [-trigger_include_symbolic_path_name ANY] x [-trigger_include_t_e_path_binding_t_l_v ANY] x [-trigger_send_empty_t_l_v ANY] x [-trigger_binding_type CHOICES mplslabel20bit mplslabel32bit] x [-trigger_mpls_label ANY] x [-trigger_tc ANY] x [-trigger_bos ANY] x [-trigger_ttl ANY] x [-trigger_bandwidth ANY] x [-trigger_setup_priority ANY] x [-trigger_holding_priority ANY] x [-trigger_local_protection ANY] x [-trigger_include_any ANY] x [-trigger_include_all ANY] x [-trigger_exclude_any ANY] x [-trigger_rsvp_active_this_ero ANY] x [-trigger_rsvp_loose_hop ANY] x [-trigger_rsvp_sub_object_type CHOICES null x CHOICES ipv4prefix x CHOICES ipv6prefix x CHOICES asnumber] x [-trigger_rsvp_prefix_length ANY] x [-trigger_rsvp_ipv4_prefix ANY] x [-trigger_rsvp_ipv4_prefix_step ANY] x [-trigger_rsvp_ipv6_prefix ANY] x [-trigger_rsvp_ipv6_prefix_step ANY] x [-trigger_rsvp_as_number ANY] x [-trigger_rsvp_metric_type CHOICES igp tg hopcount] x [-trigger_rsvp_active_this_metric ANY] x [-trigger_rsvp_metric_value ANY] x [-trigger_rsvp_b_flag ANY] x [-trigger_sr_active_this_ero ANY] x [-trigger_sr_loose_hop ANY] x [-trigger_sr_sid_type CHOICES null x CHOICES sid x CHOICES mplslabel20bit x CHOICES mplslabel32bit] x [-trigger_sr_sid ANY] x [-trigger_sr_mpls_label ANY] x [-trigger_sr_mpls_label32 ANY] x [-trigger_sr_tc ANY] x [-trigger_sr_bos ANY] x [-trigger_sr_ttl ANY] x [-trigger_sr_nai_type CHOICES notapplicable x CHOICES ipv4nodeid x CHOICES ipv6nodeid x CHOICES ipv4adjacency x CHOICES ipv6adjacency x CHOICES unnumberedadjacencywithipv4nodeids] x [-trigger_sr_f_bit ANY] x [-trigger_sr_ipv4_node_id ANY] x [-trigger_sr_ipv4_node_id_step ANY] x [-trigger_sr_ipv6_node_id ANY] x [-trigger_sr_ipv6_node_id_step ANY] x [-trigger_sr_local_ipv4_address ANY] x [-trigger_sr_local_ipv4_address_step ANY] x [-trigger_sr_remote_ipv4_address ANY] x [-trigger_sr_remote_ipv4_address_step ANY] x [-trigger_sr_local_ipv6_address ANY] x [-trigger_sr_local_ipv6_address_step ANY] x [-trigger_sr_remote_ipv6_address ANY] x [-trigger_sr_remote_ipv6_address_step ANY] x [-trigger_sr_local_node_id ANY] x [-trigger_sr_local_node_id_step ANY] x [-trigger_sr_local_interface_id ANY] x [-trigger_sr_remote_node_id ANY] x [-trigger_sr_remote_node_id_step ANY] x [-trigger_sr_remote_interface_id ANY]
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_pce_config.py_part2
x CHOICES ipv6prefix x CHOICES unnumberedinterfaceid x CHOICES asnumber x CHOICES srlg] x [-xro_prefix_length ANY] x [-xro_ipv4_address ANY] x [-xro_ipv4_address_step ANY] x [-xro_ipv6_address ANY] x [-xro_ipv6_address_step ANY] x [-xro_router_id ANY] x [-xro_router_id_step ANY] x [-xro_interface_id ANY] x [-xro_as_number ANY] x [-srlg_id ANY] x [-pce_id32 ANY] x [-pce_id128 ANY] x [-pc_request_ip_version CHOICES ipv4 ipv6] x [-src_ipv4_address ANY] x [-src_ipv4_address_step ANY] x [-dest_ipv4_address ANY] x [-dest_ipv4_address_step ANY] x [-src_ipv6_address ANY] x [-src_ipv6_address_step ANY] x [-dest_ipv6_address ANY] x [-dest_ipv6_address_step ANY] x [-pc_request_active ANY] x [-learned_info_update_item NUMERIC] x [-trigger_number_of_ero_sub_objects NUMERIC] x [-trigger_number_of_metric_sub_objects NUMERIC] x [-pce_triggers_choice_list CHOICES sendupdate] x [-trigger_include_srp ANY] x [-trigger_configure_lsp CHOICES dontinclude reflect modify] x [-trigger_configure_ero CHOICES dontinclude reflect modify] x [-trigger_configure_lspa CHOICES dontinclude reflect modify] x [-trigger_configure_bandwidth CHOICES dontinclude reflect modify] x [-trigger_configure_metric CHOICES dontinclude reflect modify] x [-trigger_override_srp_id ANY] x [-trigger_srp_id ANY] x [-trigger_include_symbolic_path_name ANY] x [-trigger_include_t_e_path_binding_t_l_v ANY] x [-trigger_send_empty_t_l_v ANY] x [-trigger_binding_type CHOICES mplslabel20bit mplslabel32bit] x [-trigger_mpls_label ANY] x [-trigger_tc ANY] x [-trigger_bos ANY] x [-trigger_ttl ANY] x [-trigger_bandwidth ANY] x [-trigger_setup_priority ANY] x [-trigger_holding_priority ANY] x [-trigger_local_protection ANY] x [-trigger_include_any ANY] x [-trigger_include_all ANY] x [-trigger_exclude_any ANY] x [-trigger_rsvp_active_this_ero ANY] x [-trigger_rsvp_loose_hop ANY] x [-trigger_rsvp_sub_object_type CHOICES null x CHOICES ipv4prefix x CHOICES ipv6prefix x CHOICES asnumber] x [-trigger_rsvp_prefix_length ANY] x [-trigger_rsvp_ipv4_prefix ANY] x [-trigger_rsvp_ipv4_prefix_step ANY] x [-trigger_rsvp_ipv6_prefix ANY] x [-trigger_rsvp_ipv6_prefix_step ANY] x [-trigger_rsvp_as_number ANY] x [-trigger_rsvp_metric_type CHOICES igp tg hopcount] x [-trigger_rsvp_active_this_metric ANY] x [-trigger_rsvp_metric_value ANY] x [-trigger_rsvp_b_flag ANY] x [-trigger_sr_active_this_ero ANY] x [-trigger_sr_loose_hop ANY] x [-trigger_sr_sid_type CHOICES null x CHOICES sid x CHOICES mplslabel20bit x CHOICES mplslabel32bit] x [-trigger_sr_sid ANY] x [-trigger_sr_mpls_label ANY] x [-trigger_sr_mpls_label32 ANY] x [-trigger_sr_tc ANY] x [-trigger_sr_bos ANY] x [-trigger_sr_ttl ANY] x [-trigger_sr_nai_type CHOICES notapplicable x CHOICES ipv4nodeid x CHOICES ipv6nodeid x CHOICES ipv4adjacency x CHOICES ipv6adjacency x CHOICES unnumberedadjacencywithipv4nodeids] x [-trigger_sr_f_bit ANY] x [-trigger_sr_ipv4_node_id ANY] x [-trigger_sr_ipv4_node_id_step ANY] x [-trigger_sr_ipv6_node_id ANY] x [-trigger_sr_ipv6_node_id_step ANY] x [-trigger_sr_local_ipv4_address ANY] x [-trigger_sr_local_ipv4_address_step ANY] x [-trigger_sr_remote_ipv4_address ANY] x [-trigger_sr_remote_ipv4_address_step ANY] x [-trigger_sr_local_ipv6_address ANY] x [-trigger_sr_local_ipv6_address_step ANY] x [-trigger_sr_remote_ipv6_address ANY] x [-trigger_sr_remote_ipv6_address_step ANY] x [-trigger_sr_local_node_id ANY] x [-trigger_sr_local_node_id_step ANY] x [-trigger_sr_local_interface_id ANY] x [-trigger_sr_remote_node_id ANY] x [-trigger_sr_remote_node_id_step ANY] x [-trigger_sr_remote_interface_id ANY] x [-trigger_sr_metric_type CHOICES igp tg hopcount msd] x [-trigger_sr_active_this_metric ANY] x [-trigger_sr_metric_value ANY] x [-trigger_sr_b_flag ANY] Arguments: -mode This option defines whether to Create/Modify/Delete/Enable/Disable PCE, PCC Group and different types of LSPs under PCE. -port_handle Port handle. -handle Specifies the parent node/object handle on which the pcep configuration should be configured. In case of create/modify -mode, -handle generally denotes the parent node/object handle . In case of modes modify/delete/disable/enable -handle denotes the object node handle on which the action needs to be performed. x -pce_active x Activate/Deactivate PCE Configuration. x -pce_name x Name of NGPF element, guaranteed to be unique in Scenario. x -pce_action_mode x PCE Mode of Action. x -pc_reply_lsps_per_pcc x Controls the maximum number of PCE LSPs that can be send as PATH Response. x -pcc_ipv4_address x IPv4 address of the PCC. This column is greyed out in case of PCEv6. x -pcc_ipv4_address_step x Step Argument of PCC IPv4 address. x -max_lsps_per_pc_initiate x Controls the maximum number of LSPs that can be present in a PCInitiate message. x -keepalive_interval x Frequency/Time Interval of sending PCEP messages to keep the session active. x -dead_interval x This is the time interval, after the expiration of which, a PCEP peer declares the session down if no PCEP message has been received. x -pce_initiated_lsps_per_pcc x Controls the maximum number of PCE LSPs that can be Initiated per PCC. x -stateful_pce_capability x If enabled, the server will work like a Stateful PCE else like a stateless PCE. x -lsp_update_capability x If the Stateful PCE Capability is enabled then this control should be activated to set the update capability in the Stateful PCE Capability TLV. x -sr_pce_capability x The SR PCE Capability TLV is an optional TLV associated with the OPEN Object to exchange SR capability of PCEP speakers. x -pce_ppag_t_l_v_type x PPAG TLV Type specifies PCE's capability of interpreting this type of PPAG TLV x -authentication x The type of cryptographic authentication to be used on this link interface. x -m_d5_key x A value to be used as the "secret" MD5 Key. x -rate_control x The rate control is an optional feature associated with PCE initiated LSP. x -burst_interval x Interval in milisecond in which desired rate of messages needs to be maintained. x -max_initiated_lsp_per_interval x Maximum number of messages can be sent per interval. x -pcc_group_active x Activate/Deactivate PCE sessions. x -pcc_group_name x Name of NGPF element, guaranteed to be unique in Scenario. x -multiplier x Number of layer instances per parent instance (multiplier). x -path_setup_type x Indicates which type of LSP will be requested in the PCInitiated Request. x -include_end_points x Indicates whether END-POINTS object will be included in a PCInitiate message. All other attributes in sub-tab-End Points would be editable only if this checkbox is enabled. x -include_srp x Indicates whether SRP object will be included in a PCInitiate message. All other attributes in sub-tab-SRP would be editable only if this checkbox is enabled. x -pce_initiate_include_lsp x Indicates whether LSP will be included in a PCInitiate message. All other attributes in sub-tab-LSP would be editable only if this checkbox is enabled. x -include_ero x Specifies whether ERO is active or inactive. All subsequent attributes of the sub-tab-ERO would be editable only if this is enabled. x -pce_initiate_include_metric x Indicates whether the PCInitiate message will have the metric list that is configured. All subsequent attributes of the sub-tab-Metric would be editable only if this is enabled. x -pce_initiate_include_bandwidth x Indicates whether Bandwidth will be included in a PCInitiate message. All other attributes in sub-tab-Bandwidth would be editable only if this checkbox is enabled. x -pce_initiate_include_lspa x Indicates whether LSPA will be included in a PCInitiate message. All other attributes in sub-tab-LSPA would be editable only if this checkbox is enabled. x -pce_initiate_ip_version x Drop down to select the IP Version with 2 choices : IPv4 / IPv6. x -src_end_point_ipv4 x Source IPv4 address of the path for which a path computation is Initiated. Will be greyed out if IP Version is set to IPv6. x -src_end_point_ipv4_step x Step Argument of Source IPv4 address. x -dest_end_point_ipv4 x Dest IPv4 address of the path for which a path computation is Initiated. Will be greyed out if IP Version is IPv6. x -dest_end_point_ipv4_step x Step Argument of Destination IPv4 address. x -src_end_point_ipv6 x Source IPv6 address of the path for which a path computation is Initiated. Will be greyed out if IP version is set to IPv4. x -src_end_point_ipv6_step x Step Argument of Source IPv6 address. x -dest_end_point_ipv6 x Dest IPv6 address of the path for which a path computation is Initiated. Will be greyed out if IP Version is IPv4. x -dest_end_point_ipv6_step x Step Argument of Destination IPv6 address. x -override_srp_id_number x Indicates whether SRP ID Number is overridable. x -srp_id_number
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_pce_config.py_part3
x [-trigger_sr_remote_interface_id ANY] x [-trigger_sr_metric_type CHOICES igp tg hopcount msd] x [-trigger_sr_active_this_metric ANY] x [-trigger_sr_metric_value ANY] x [-trigger_sr_b_flag ANY] Arguments: -mode This option defines whether to Create/Modify/Delete/Enable/Disable PCE, PCC Group and different types of LSPs under PCE. -port_handle Port handle. -handle Specifies the parent node/object handle on which the pcep configuration should be configured. In case of create/modify -mode, -handle generally denotes the parent node/object handle . In case of modes modify/delete/disable/enable -handle denotes the object node handle on which the action needs to be performed. x -pce_active x Activate/Deactivate PCE Configuration. x -pce_name x Name of NGPF element, guaranteed to be unique in Scenario. x -pce_action_mode x PCE Mode of Action. x -pc_reply_lsps_per_pcc x Controls the maximum number of PCE LSPs that can be send as PATH Response. x -pcc_ipv4_address x IPv4 address of the PCC. This column is greyed out in case of PCEv6. x -pcc_ipv4_address_step x Step Argument of PCC IPv4 address. x -max_lsps_per_pc_initiate x Controls the maximum number of LSPs that can be present in a PCInitiate message. x -keepalive_interval x Frequency/Time Interval of sending PCEP messages to keep the session active. x -dead_interval x This is the time interval, after the expiration of which, a PCEP peer declares the session down if no PCEP message has been received. x -pce_initiated_lsps_per_pcc x Controls the maximum number of PCE LSPs that can be Initiated per PCC. x -stateful_pce_capability x If enabled, the server will work like a Stateful PCE else like a stateless PCE. x -lsp_update_capability x If the Stateful PCE Capability is enabled then this control should be activated to set the update capability in the Stateful PCE Capability TLV. x -sr_pce_capability x The SR PCE Capability TLV is an optional TLV associated with the OPEN Object to exchange SR capability of PCEP speakers. x -pce_ppag_t_l_v_type x PPAG TLV Type specifies PCE's capability of interpreting this type of PPAG TLV x -authentication x The type of cryptographic authentication to be used on this link interface. x -m_d5_key x A value to be used as the "secret" MD5 Key. x -rate_control x The rate control is an optional feature associated with PCE initiated LSP. x -burst_interval x Interval in milisecond in which desired rate of messages needs to be maintained. x -max_initiated_lsp_per_interval x Maximum number of messages can be sent per interval. x -pcc_group_active x Activate/Deactivate PCE sessions. x -pcc_group_name x Name of NGPF element, guaranteed to be unique in Scenario. x -multiplier x Number of layer instances per parent instance (multiplier). x -path_setup_type x Indicates which type of LSP will be requested in the PCInitiated Request. x -include_end_points x Indicates whether END-POINTS object will be included in a PCInitiate message. All other attributes in sub-tab-End Points would be editable only if this checkbox is enabled. x -include_srp x Indicates whether SRP object will be included in a PCInitiate message. All other attributes in sub-tab-SRP would be editable only if this checkbox is enabled. x -pce_initiate_include_lsp x Indicates whether LSP will be included in a PCInitiate message. All other attributes in sub-tab-LSP would be editable only if this checkbox is enabled. x -include_ero x Specifies whether ERO is active or inactive. All subsequent attributes of the sub-tab-ERO would be editable only if this is enabled. x -pce_initiate_include_metric x Indicates whether the PCInitiate message will have the metric list that is configured. All subsequent attributes of the sub-tab-Metric would be editable only if this is enabled. x -pce_initiate_include_bandwidth x Indicates whether Bandwidth will be included in a PCInitiate message. All other attributes in sub-tab-Bandwidth would be editable only if this checkbox is enabled. x -pce_initiate_include_lspa x Indicates whether LSPA will be included in a PCInitiate message. All other attributes in sub-tab-LSPA would be editable only if this checkbox is enabled. x -pce_initiate_ip_version x Drop down to select the IP Version with 2 choices : IPv4 / IPv6. x -src_end_point_ipv4 x Source IPv4 address of the path for which a path computation is Initiated. Will be greyed out if IP Version is set to IPv6. x -src_end_point_ipv4_step x Step Argument of Source IPv4 address. x -dest_end_point_ipv4 x Dest IPv4 address of the path for which a path computation is Initiated. Will be greyed out if IP Version is IPv6. x -dest_end_point_ipv4_step x Step Argument of Destination IPv4 address. x -src_end_point_ipv6 x Source IPv6 address of the path for which a path computation is Initiated. Will be greyed out if IP version is set to IPv4. x -src_end_point_ipv6_step x Step Argument of Source IPv6 address. x -dest_end_point_ipv6 x Dest IPv6 address of the path for which a path computation is Initiated. Will be greyed out if IP Version is IPv4. x -dest_end_point_ipv6_step x Step Argument of Destination IPv6 address. x -override_srp_id_number x Indicates whether SRP ID Number is overridable. x -srp_id_number x The SRP object is used to correlate between initiation requests sent by the PCE and the error reports and state reports sent by the PCC. This number is unique per PCEP session and is incremented per initiation. x -override_plsp_id x Indicates if PLSP-ID will be set by the state machine or user. If disabled user wont have the control and state machine will set it. x -pce_initiate_plsp_id x An identifier for the LSP. A PCC creates a unique PLSP-ID for each LSP that is constant for the lifetime of a PCEP session. The PCC will advertise the same PLSP-ID on all PCEP sessions it maintains at a given time. x -pce_initiate_include_symbolic_path_name_tlv x Indicates if Symbolic-Path-Name TLV is to be included in PCInitiate message. x -pce_initiate_symbolic_path_name x Each LSP (path) must have a symbolic name that is unique in the PCC. It must remain constant throughout a path's lifetime, which may span across multiple consecutive PCEP sessions and/or PCC restarts. x -pce_initiate_include_t_e_path_binding_t_l_v x Indicates if TE-PATH-BINDING TLV is to be included in PCInitiate message. x -pce_initiate_send_empty_t_l_v x If enabled all fields after Binding Type will be grayed out. x -pce_initiate_binding_type x Indicates the type of binding included in the TLV. Types are as follows: x 20bit MPLS Label x 32bit MPLS Label. x Default value is 20bit MPLS Label. x -pce_initiate_mpls_label x This control will be editable if the Binding Type is set to either 20bit or 32bit MPLS-Label. This field will take the 20bit value of the MPLS-Label x -pce_initiate_tc x This field is used to carry traffic class information. This control will be editable only if Binding Type is MPLS Label 32bit. x -pce_initiate_bos x This bit is set to True for the last entry in the label stack i.e., for the bottom of the stack, and False for all other label stack entries. x This control will be editable only if Binding Type is MPLS Label 32bit. x -pce_initiate_ttl x This field is used to encode a time-to-live value. This control will be editable only if Binding Type is MPLS Label 32bit. x -pce_initiate_number_of_ero_sub_objects x Value that indicates the number of ERO Sub Objects to be configured. x -pce_initiate_number_of_metric_sub_object x Value that indicates the number of Metric Objects to be configured. x -pce_initiate_bandwidth x Bandwidth (bits/sec) x -pce_initiate_setup_priority x The priority of the LSP with respect to taking resources.The value 0 is the highest priority.The Setup Priority is used in deciding whether this session can preempt another session. x -pce_initiate_holding_priority x The priority of the LSP with respect to holding resources. The value 0 is the highest priority.Holding Priority is used in deciding whether this session can be preempted by another session. x -pce_initiate_local_protection x When set, this means that the path must include links protected with Fast Reroute x -pce_initiate_include_any x This is a type of Resource Affinity Procedure that is used to validate a link. This control accepts a link if the link carries any of the attributes in the set. x -pce_initiate_include_all x This is a type of Resource Affinity Procedure that is used to validate a link. This control excludes a link from consideration if the link carries any of the attributes in the set. x -pce_initiate_exclude_any x This is a type of Resource Affinity Procedure that is used to validate a link. This control accepts a link only if the link carries all of the attributes in the set. x -include_association x Indicates whether PPAG will be included in a PCInitiate message. All other attributes in sub-tab-PPAG would be editable only if this checkbox is enabled. x -association_id x The Association ID of this LSP. x -protection_lsp x Indicates whether Protection LSP Bit is On. x -standby_mode x Indicates whether Standby LSP Bit is On. x -pce_initiate_enable_xro x Include XRO x -pce_initiate_fail_bit x Fail Bit x -pce_initiate_number_of_Xro_sub_objects x Number of XRO Sub Objects x -pce_initiate_lsp_parameters_active x Activate/Deactivate PCE Initiated LSP Parameters. x -pce_initiate_xro_active x Activate/Deactivate XRO x -pce_initiate_exclude_bit x Indicates whether the exclusion is mandatory or desired. x -pce_initiate_xro_attribute x Indicates how the exclusion subobject is to be indicated. x -pce_initiate_xro_sub_object_type x Using the Sub Object Type control user can configure which sub object needs to be included from the following options: IPv4 Prefix, IPv6 Prefix, Unnumbered Interface ID, AS Number, SRLG. x -pce_initiate_xro_prefix_length x Prefix Length x -pce_initiate_xro_ipv4_address x IPv4 Address x -pce_initiate_xro_ipv4_address_step x Step argument of IPv4 Address x -pce_initiate_xro_ipv6_address x IPv6 Address x -pce_initiate_xro_ipv6_address_step x Step argument of IPv6 Address x -pce_initiate_xro_router_id x Router ID x -pce_initiate_xro_router_id_step x Step argument of Router ID x -pce_initiate_xro_interface_id x Interface ID x -pce_initiate_xro_as_number x AS Number x -pce_initiate_srlg_id x SRLG ID x -pce_initiate_pce_id32 x 32 bit PKS ID x -pce_initiate_pce_id128 x 128 bit PKS ID
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_pce_config.py_part4
x The SRP object is used to correlate between initiation requests sent by the PCE and the error reports and state reports sent by the PCC. This number is unique per PCEP session and is incremented per initiation. x -override_plsp_id x Indicates if PLSP-ID will be set by the state machine or user. If disabled user wont have the control and state machine will set it. x -pce_initiate_plsp_id x An identifier for the LSP. A PCC creates a unique PLSP-ID for each LSP that is constant for the lifetime of a PCEP session. The PCC will advertise the same PLSP-ID on all PCEP sessions it maintains at a given time. x -pce_initiate_include_symbolic_path_name_tlv x Indicates if Symbolic-Path-Name TLV is to be included in PCInitiate message. x -pce_initiate_symbolic_path_name x Each LSP (path) must have a symbolic name that is unique in the PCC. It must remain constant throughout a path's lifetime, which may span across multiple consecutive PCEP sessions and/or PCC restarts. x -pce_initiate_include_t_e_path_binding_t_l_v x Indicates if TE-PATH-BINDING TLV is to be included in PCInitiate message. x -pce_initiate_send_empty_t_l_v x If enabled all fields after Binding Type will be grayed out. x -pce_initiate_binding_type x Indicates the type of binding included in the TLV. Types are as follows: x 20bit MPLS Label x 32bit MPLS Label. x Default value is 20bit MPLS Label. x -pce_initiate_mpls_label x This control will be editable if the Binding Type is set to either 20bit or 32bit MPLS-Label. This field will take the 20bit value of the MPLS-Label x -pce_initiate_tc x This field is used to carry traffic class information. This control will be editable only if Binding Type is MPLS Label 32bit. x -pce_initiate_bos x This bit is set to True for the last entry in the label stack i.e., for the bottom of the stack, and False for all other label stack entries. x This control will be editable only if Binding Type is MPLS Label 32bit. x -pce_initiate_ttl x This field is used to encode a time-to-live value. This control will be editable only if Binding Type is MPLS Label 32bit. x -pce_initiate_number_of_ero_sub_objects x Value that indicates the number of ERO Sub Objects to be configured. x -pce_initiate_number_of_metric_sub_object x Value that indicates the number of Metric Objects to be configured. x -pce_initiate_bandwidth x Bandwidth (bits/sec) x -pce_initiate_setup_priority x The priority of the LSP with respect to taking resources.The value 0 is the highest priority.The Setup Priority is used in deciding whether this session can preempt another session. x -pce_initiate_holding_priority x The priority of the LSP with respect to holding resources. The value 0 is the highest priority.Holding Priority is used in deciding whether this session can be preempted by another session. x -pce_initiate_local_protection x When set, this means that the path must include links protected with Fast Reroute x -pce_initiate_include_any x This is a type of Resource Affinity Procedure that is used to validate a link. This control accepts a link if the link carries any of the attributes in the set. x -pce_initiate_include_all x This is a type of Resource Affinity Procedure that is used to validate a link. This control excludes a link from consideration if the link carries any of the attributes in the set. x -pce_initiate_exclude_any x This is a type of Resource Affinity Procedure that is used to validate a link. This control accepts a link only if the link carries all of the attributes in the set. x -include_association x Indicates whether PPAG will be included in a PCInitiate message. All other attributes in sub-tab-PPAG would be editable only if this checkbox is enabled. x -association_id x The Association ID of this LSP. x -protection_lsp x Indicates whether Protection LSP Bit is On. x -standby_mode x Indicates whether Standby LSP Bit is On. x -pce_initiate_enable_xro x Include XRO x -pce_initiate_fail_bit x Fail Bit x -pce_initiate_number_of_Xro_sub_objects x Number of XRO Sub Objects x -pce_initiate_lsp_parameters_active x Activate/Deactivate PCE Initiated LSP Parameters. x -pce_initiate_xro_active x Activate/Deactivate XRO x -pce_initiate_exclude_bit x Indicates whether the exclusion is mandatory or desired. x -pce_initiate_xro_attribute x Indicates how the exclusion subobject is to be indicated. x -pce_initiate_xro_sub_object_type x Using the Sub Object Type control user can configure which sub object needs to be included from the following options: IPv4 Prefix, IPv6 Prefix, Unnumbered Interface ID, AS Number, SRLG. x -pce_initiate_xro_prefix_length x Prefix Length x -pce_initiate_xro_ipv4_address x IPv4 Address x -pce_initiate_xro_ipv4_address_step x Step argument of IPv4 Address x -pce_initiate_xro_ipv6_address x IPv6 Address x -pce_initiate_xro_ipv6_address_step x Step argument of IPv6 Address x -pce_initiate_xro_router_id x Router ID x -pce_initiate_xro_router_id_step x Step argument of Router ID x -pce_initiate_xro_interface_id x Interface ID x -pce_initiate_xro_as_number x AS Number x -pce_initiate_srlg_id x SRLG ID x -pce_initiate_pce_id32 x 32 bit PKS ID x -pce_initiate_pce_id128 x 128 bit PKS ID x -pcep_ero_sub_objects_list_active x Controls whether the ERO sub-object will be sent in the PCInitiate message. x -loose_hop x Indicates if user wants to represent a loose-hop sub object in the LSP x -sub_object_type x Using the Sub Object Type control user can configure which sub object needs to be included from the following options: Not Applicable, IPv4 Prefix, IPv6 Prefix, AS Number. x -prefix_length x Prefix Length x -ipv4_prefix x IPv4 Prefix is specified as an IPv4 address. x -ipv4_prefix_step x Step argument of IPv4 Prefix. x -ipv6_prefix x IPv6 Prefix is specified as an IPv6 address. x -ipv6_prefix_step x Step argument of IPv6 Prefix. x -as_number x AS Number x -sid_type x Using the Segment Identifier Type control user can configure whether to include SID or not and if included what is its type. Types are as follows: Null, SID, 20bit MPLS Label, 32bit MPLS Label. x If it is Null then S bit is set in the packet. Default value is 20bit MPLS Label. x -sid x SIDis the Segment Identifier x -mpls_label x This control will be editable if the SID Type is set to either 20bit or 32bit MPLS-Label. This field will take the 20bit value of the MPLS-Label x -tc x This field is used to carry traffic class information. This control will be editable only if SID Type is MPLS Label 32bit. x -bos x This bit is set to true for the last entry in the label stack i.e., for the bottom of the stack, and false for all other label stack entries. x This control will be editable only if SID Type is MPLS Label 32bit. x -ttl x This field is used to encode a time-to-live value. This control will be editable only if SID Type is MPLS Label 32bit. x -nai_type x NAI (Node or Adjacency Identifier) contains the NAI associated with the SID. Depending on the value of SID Type, the NAI can have different formats such as; Not Applicable, IPv4 Node ID, IPv6 Node ID, IPv4 Adjacency, IPv6 Global Adjacency, Unnumbered Adjacency with IPv4 NodeIDs, IPv6 adjacency with link-local IPv6 addresses x -f_bit x A Flag which is used to carry additional information pertaining to SID. When this bit is set, the NAI value in the subobject body is null. x -ipv4_node_id x IPv4 Node ID is specified as an IPv4 address. This control can be configured if NAI Type is set to IPv4 Node ID and F bit is disabled. x -ipv4_node_id_step x Step argument of IPv4 Node ID. x -ipv6_node_id x IPv6 Node ID is specified as an IPv6 address. This control can be configured if NAI Type is set to IPv6 Node ID and F bit is disabled. x -ipv6_node_id_step x Step argument of IPv6 Node ID. x -local_ipv4_address x This Control can be configured if NAI Type is set to IPv4 Adjacency and F bit is disabled. x -local_ipv4_address_step x Step argument of Local IPv4 Address. x -remote_ipv4_address x This Control can be configured if NAI Type is set to IPv4 Adjacency and F bit is disabled. x -remote_ipv4_address_step x Step argument of Remote IPv4 Address. x -local_ipv6_address x This Control can be configured if NAI Type is set to IPv6 Adjacency and F bit is disabled. x -local_ipv6_address_step x Step argument of Local IPv6 Address. x -remote_ipv6_address x This Control can be configured if NAI Type is set to IPv6 Adjacency and F bit is disabled. x -remote_ipv6_address_step x Step argument of Remote IPv6 Address. x -local_node_id x This is the Local Node ID of the Unnumbered Adjacency with IPv4 NodeIDs which is specified as a pair of Node ID / Interface ID tuples. x This Control can be configured if NAI Type is set to Unnumbered Adjacency with IPv4 NodeIDs and F bit is disabled. x -local_node_id_step x Step argument of Local Node ID. x -local_interface_id x This is the Local Interface ID of the Unnumbered Adjacency with IPv4 NodeIDs which is specified as a pair of Node ID / Interface ID tuples. x This Control can be configured if NAI Type is set to Unnumbered Adjacency with IPv4 NodeIDs and F bit is disabled. x -remote_node_id x This is the Remote Node ID of the Unnumbered Adjacency with IPv4 NodeIDs which is specified as a pair of Node ID / Interface ID tuples. x This Control can be configured if NAI Type is set to Unnumbered Adjacency with IPv4 NodeIDs and F bit is disabled. x -remote_node_id_step x Step argument of Remote Node ID. x -remote_interface_id x This is the Remote Interface ID of the Unnumbered Adjacency with IPv4 NodeIDs which is specified as a pair of Node ID / Interface ID tuples. x This Control can be configured if NAI Type is set to Unnumbered Adjacency with IPv4 NodeIDs and F bit is disabled. x -pcep_metric_sub_objects_list_active x Specifies whether the corresponding metric object is active or not. x -metric_type x This is a drop down which has 4 choices:IGP/ TE/ Hop count/ MSD. x -metric_value x User can specify the metric value corresponding to the metric type selected. x -b_flag x B (bound) flag MUST be set in the METRIC object, which specifies that the SID depth for the computed path MUST NOT exceed the metric-value. x -response_options x Reply Options x -response_path_type x Indicates which type of LSP will be responsed in the Path Request Response. x -include_rp x Include RP x -pc_reply_include_lsp x Include LSP
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_pce_config.py_part5
x 32 bit PKS ID x -pce_initiate_pce_id128 x 128 bit PKS ID x -pcep_ero_sub_objects_list_active x Controls whether the ERO sub-object will be sent in the PCInitiate message. x -loose_hop x Indicates if user wants to represent a loose-hop sub object in the LSP x -sub_object_type x Using the Sub Object Type control user can configure which sub object needs to be included from the following options: Not Applicable, IPv4 Prefix, IPv6 Prefix, AS Number. x -prefix_length x Prefix Length x -ipv4_prefix x IPv4 Prefix is specified as an IPv4 address. x -ipv4_prefix_step x Step argument of IPv4 Prefix. x -ipv6_prefix x IPv6 Prefix is specified as an IPv6 address. x -ipv6_prefix_step x Step argument of IPv6 Prefix. x -as_number x AS Number x -sid_type x Using the Segment Identifier Type control user can configure whether to include SID or not and if included what is its type. Types are as follows: Null, SID, 20bit MPLS Label, 32bit MPLS Label. x If it is Null then S bit is set in the packet. Default value is 20bit MPLS Label. x -sid x SIDis the Segment Identifier x -mpls_label x This control will be editable if the SID Type is set to either 20bit or 32bit MPLS-Label. This field will take the 20bit value of the MPLS-Label x -tc x This field is used to carry traffic class information. This control will be editable only if SID Type is MPLS Label 32bit. x -bos x This bit is set to true for the last entry in the label stack i.e., for the bottom of the stack, and false for all other label stack entries. x This control will be editable only if SID Type is MPLS Label 32bit. x -ttl x This field is used to encode a time-to-live value. This control will be editable only if SID Type is MPLS Label 32bit. x -nai_type x NAI (Node or Adjacency Identifier) contains the NAI associated with the SID. Depending on the value of SID Type, the NAI can have different formats such as; Not Applicable, IPv4 Node ID, IPv6 Node ID, IPv4 Adjacency, IPv6 Global Adjacency, Unnumbered Adjacency with IPv4 NodeIDs, IPv6 adjacency with link-local IPv6 addresses x -f_bit x A Flag which is used to carry additional information pertaining to SID. When this bit is set, the NAI value in the subobject body is null. x -ipv4_node_id x IPv4 Node ID is specified as an IPv4 address. This control can be configured if NAI Type is set to IPv4 Node ID and F bit is disabled. x -ipv4_node_id_step x Step argument of IPv4 Node ID. x -ipv6_node_id x IPv6 Node ID is specified as an IPv6 address. This control can be configured if NAI Type is set to IPv6 Node ID and F bit is disabled. x -ipv6_node_id_step x Step argument of IPv6 Node ID. x -local_ipv4_address x This Control can be configured if NAI Type is set to IPv4 Adjacency and F bit is disabled. x -local_ipv4_address_step x Step argument of Local IPv4 Address. x -remote_ipv4_address x This Control can be configured if NAI Type is set to IPv4 Adjacency and F bit is disabled. x -remote_ipv4_address_step x Step argument of Remote IPv4 Address. x -local_ipv6_address x This Control can be configured if NAI Type is set to IPv6 Adjacency and F bit is disabled. x -local_ipv6_address_step x Step argument of Local IPv6 Address. x -remote_ipv6_address x This Control can be configured if NAI Type is set to IPv6 Adjacency and F bit is disabled. x -remote_ipv6_address_step x Step argument of Remote IPv6 Address. x -local_node_id x This is the Local Node ID of the Unnumbered Adjacency with IPv4 NodeIDs which is specified as a pair of Node ID / Interface ID tuples. x This Control can be configured if NAI Type is set to Unnumbered Adjacency with IPv4 NodeIDs and F bit is disabled. x -local_node_id_step x Step argument of Local Node ID. x -local_interface_id x This is the Local Interface ID of the Unnumbered Adjacency with IPv4 NodeIDs which is specified as a pair of Node ID / Interface ID tuples. x This Control can be configured if NAI Type is set to Unnumbered Adjacency with IPv4 NodeIDs and F bit is disabled. x -remote_node_id x This is the Remote Node ID of the Unnumbered Adjacency with IPv4 NodeIDs which is specified as a pair of Node ID / Interface ID tuples. x This Control can be configured if NAI Type is set to Unnumbered Adjacency with IPv4 NodeIDs and F bit is disabled. x -remote_node_id_step x Step argument of Remote Node ID. x -remote_interface_id x This is the Remote Interface ID of the Unnumbered Adjacency with IPv4 NodeIDs which is specified as a pair of Node ID / Interface ID tuples. x This Control can be configured if NAI Type is set to Unnumbered Adjacency with IPv4 NodeIDs and F bit is disabled. x -pcep_metric_sub_objects_list_active x Specifies whether the corresponding metric object is active or not. x -metric_type x This is a drop down which has 4 choices:IGP/ TE/ Hop count/ MSD. x -metric_value x User can specify the metric value corresponding to the metric type selected. x -b_flag x B (bound) flag MUST be set in the METRIC object, which specifies that the SID depth for the computed path MUST NOT exceed the metric-value. x -response_options x Reply Options x -response_path_type x Indicates which type of LSP will be responsed in the Path Request Response. x -include_rp x Include RP x -pc_reply_include_lsp x Include LSP x -enable_ero x Include ERO x -pc_reply_include_metric x Include Metric x -pc_reply_include_bandwidth x Include Bandwidth x -pc_reply_include_lspa x Include LSPA x -enable_xro x Include XRO x -process_type x Indicates how the XRO is responded in the Path Request Response. x -reflect_r_p x Reflect RP x -request_id x Request ID x -enable_loose x Loose x -bi_directional x Bi-directional x -priority_value x Priority x -pc_reply_number_of_ero_sub_objects x Number of ERO Sub Objects x -pc_reply_number_of_metric_sub_object x Number of Metric x -pc_reply_bandwidth x Bandwidth (bits/sec) x -reflect_l_s_p x Reflect LSP x -pc_reply_plsp_id x An identifier for the LSP. A PCC creates a unique PLSP-ID for each LSP that is constant for the lifetime of a PCEP session. The PCC will advertise the same PLSP-ID on all PCEP sessions it maintains at a given time. x -pc_reply_include_symbolic_path_name_tlv x Indicates if Symbolic-Path-Name TLV is to be included in PCInitiate message. x -pc_reply_symbolic_path_name x Each LSP (path) must have a symbolic name that is unique in the PCC. It must remain constant throughout a path's lifetime, which may span across multiple consecutive PCEP sessions and/or PCC restarts. x -pc_reply_include_t_e_path_binding_t_l_v x Indicates if TE-PATH-BINDING TLV is to be included in PCInitiate message. x -pc_reply_send_empty_t_l_v x If enabled all fields after Binding Type will be grayed out. x -pc_reply_binding_type x Indicates the type of binding included in the TLV. Types are as follows: x 20bit MPLS Label x 32bit MPLS Label. x Default value is 20bit MPLS Label. x -pc_reply_mpls_label x This control will be editable if the Binding Type is set to either 20bit or 32bit MPLS-Label. This field will take the 20bit value of the MPLS-Label x -pc_reply_tc x This field is used to carry traffic class information. This control will be editable only if Binding Type is MPLS Label 32bit. x -pc_reply_bos x This bit is set to True for the last entry in the label stack i.e., for the bottom of the stack, and False for all other label stack entries. x This control will be editable only if Binding Type is MPLS Label 32bit. x -pc_reply_ttl x This field is used to encode a time-to-live value. This control will be editable only if Binding Type is MPLS Label 32bit. x -pc_reply_setup_priority x Setup Priority x -pc_reply_holding_priority x Holding Priority x -pc_reply_local_protection x Local Protection x -pc_reply_include_any x Include Any x -pc_reply_include_all x Include All x -pc_reply_exclude_any x Exclude Any x -nature_of_issue x Nature Of Issue x -enable_c_flag x C Flag x -reflected_object_no_path x Reflected Object x -fail_bit x Fail Bit x -number_of_Xro_sub_objects x Number of XRO Sub Objects x -pc_reply_active x Activate/Deactivate PCReply LSP Parameters x -xro_active x Activate/Deactivate XRO x -exclude_bit x Indicates whether the exclusion is mandatory or desired. x -xro_attribute x Indicates how the exclusion subobject is to be indicated. x -xro_sub_object_type x Using the Sub Object Type control user can configure which sub object needs to be included from the following options: IPv4 Prefix, IPv6 Prefix, Unnumbered Interface ID, AS Number, SRLG. x -xro_prefix_length x Prefix Length x -xro_ipv4_address x IPv4 Address x -xro_ipv4_address_step x Step argument of IPv4 Address x -xro_ipv6_address x IPv6 Address x -xro_ipv6_address_step x Step argument of IPv6 Address x -xro_router_id x Router ID x -xro_router_id_step x Step argument of Router ID x -xro_interface_id x Interface ID x -xro_as_number x AS Number x -srlg_id x SRLG ID x -pce_id32 x 32 bit PKS ID x -pce_id128 x 128 bit PKS ID x -pc_request_ip_version x IP Version x -src_ipv4_address x Source IPv4 Address x -src_ipv4_address_step x Step argument of Source IPv4 Address x -dest_ipv4_address x Destination IPv4 Address x -dest_ipv4_address_step x Step argument of Destination IPv4 Address x -src_ipv6_address x Source IPv6 Address x -src_ipv6_address_step x Step argument of Source IPv6 Address x -dest_ipv6_address x Destination IPv6 Address x -dest_ipv6_address_step x Step argument of Destination IPv6 Address x -pc_request_active x Activate/Deactivate PCRequest Match Criteria
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_pce_config.py_part6
x -pc_reply_include_lsp x Include LSP x -enable_ero x Include ERO x -pc_reply_include_metric x Include Metric x -pc_reply_include_bandwidth x Include Bandwidth x -pc_reply_include_lspa x Include LSPA x -enable_xro x Include XRO x -process_type x Indicates how the XRO is responded in the Path Request Response. x -reflect_r_p x Reflect RP x -request_id x Request ID x -enable_loose x Loose x -bi_directional x Bi-directional x -priority_value x Priority x -pc_reply_number_of_ero_sub_objects x Number of ERO Sub Objects x -pc_reply_number_of_metric_sub_object x Number of Metric x -pc_reply_bandwidth x Bandwidth (bits/sec) x -reflect_l_s_p x Reflect LSP x -pc_reply_plsp_id x An identifier for the LSP. A PCC creates a unique PLSP-ID for each LSP that is constant for the lifetime of a PCEP session. The PCC will advertise the same PLSP-ID on all PCEP sessions it maintains at a given time. x -pc_reply_include_symbolic_path_name_tlv x Indicates if Symbolic-Path-Name TLV is to be included in PCInitiate message. x -pc_reply_symbolic_path_name x Each LSP (path) must have a symbolic name that is unique in the PCC. It must remain constant throughout a path's lifetime, which may span across multiple consecutive PCEP sessions and/or PCC restarts. x -pc_reply_include_t_e_path_binding_t_l_v x Indicates if TE-PATH-BINDING TLV is to be included in PCInitiate message. x -pc_reply_send_empty_t_l_v x If enabled all fields after Binding Type will be grayed out. x -pc_reply_binding_type x Indicates the type of binding included in the TLV. Types are as follows: x 20bit MPLS Label x 32bit MPLS Label. x Default value is 20bit MPLS Label. x -pc_reply_mpls_label x This control will be editable if the Binding Type is set to either 20bit or 32bit MPLS-Label. This field will take the 20bit value of the MPLS-Label x -pc_reply_tc x This field is used to carry traffic class information. This control will be editable only if Binding Type is MPLS Label 32bit. x -pc_reply_bos x This bit is set to True for the last entry in the label stack i.e., for the bottom of the stack, and False for all other label stack entries. x This control will be editable only if Binding Type is MPLS Label 32bit. x -pc_reply_ttl x This field is used to encode a time-to-live value. This control will be editable only if Binding Type is MPLS Label 32bit. x -pc_reply_setup_priority x Setup Priority x -pc_reply_holding_priority x Holding Priority x -pc_reply_local_protection x Local Protection x -pc_reply_include_any x Include Any x -pc_reply_include_all x Include All x -pc_reply_exclude_any x Exclude Any x -nature_of_issue x Nature Of Issue x -enable_c_flag x C Flag x -reflected_object_no_path x Reflected Object x -fail_bit x Fail Bit x -number_of_Xro_sub_objects x Number of XRO Sub Objects x -pc_reply_active x Activate/Deactivate PCReply LSP Parameters x -xro_active x Activate/Deactivate XRO x -exclude_bit x Indicates whether the exclusion is mandatory or desired. x -xro_attribute x Indicates how the exclusion subobject is to be indicated. x -xro_sub_object_type x Using the Sub Object Type control user can configure which sub object needs to be included from the following options: IPv4 Prefix, IPv6 Prefix, Unnumbered Interface ID, AS Number, SRLG. x -xro_prefix_length x Prefix Length x -xro_ipv4_address x IPv4 Address x -xro_ipv4_address_step x Step argument of IPv4 Address x -xro_ipv6_address x IPv6 Address x -xro_ipv6_address_step x Step argument of IPv6 Address x -xro_router_id x Router ID x -xro_router_id_step x Step argument of Router ID x -xro_interface_id x Interface ID x -xro_as_number x AS Number x -srlg_id x SRLG ID x -pce_id32 x 32 bit PKS ID x -pce_id128 x 128 bit PKS ID x -pc_request_ip_version x IP Version x -src_ipv4_address x Source IPv4 Address x -src_ipv4_address_step x Step argument of Source IPv4 Address x -dest_ipv4_address x Destination IPv4 Address x -dest_ipv4_address_step x Step argument of Destination IPv4 Address x -src_ipv6_address x Source IPv6 Address x -src_ipv6_address_step x Step argument of Source IPv6 Address x -dest_ipv6_address x Destination IPv6 Address x -dest_ipv6_address_step x Step argument of Destination IPv6 Address x -pc_request_active x Activate/Deactivate PCRequest Match Criteria x -learned_info_update_item x Number that indicates which learnedInfoUpdate item needs to be configured. x -trigger_number_of_ero_sub_objects x Value that indicates the number of ERO Sub Objects to be configured. x -trigger_number_of_metric_sub_objects x Value that indicates the number of Metric Objects to be configured. x -pce_triggers_choice_list x Based on options selected, IxNetwork sends information to PCPU and refreshes the statistical data in the corresponding tab of Learned Information x -trigger_include_srp x Indicates whether SRP object will be included in a PCInitiate message. All other attributes in sub-tab-SRP would be editable only if this checkbox is enabled. x -trigger_configure_lsp x Configure LSP x -trigger_configure_ero x Configure ERO x -trigger_configure_lspa x Configure LSPA x -trigger_configure_bandwidth x Configure Bandwidth x -trigger_configure_metric x Configure Metric x -trigger_override_srp_id x Indicates whether SRP object will be included in a PCUpdate trigger parameters. All other attributes in sub-tab-SRP would be editable only if this checkbox is enabled. x -trigger_srp_id x The SRP object is used to correlate between initiation requests sent by the PCE and the error reports and state reports sent by the PCC. This number is unique per PCEP session and is incremented per initiation. x -trigger_include_symbolic_path_name x Indicates if Symbolic-Path-Name TLV is to be included in PCUpate trigger message. x -trigger_include_t_e_path_binding_t_l_v x Indicates if TE-PATH-BINDING TLV is to be included in PCUpate trigger message. x -trigger_send_empty_t_l_v x If enabled all fields after Binding Type will be grayed out. x -trigger_binding_type x Indicates the type of binding included in the TLV. Types are as follows: x 20bit MPLS Label x 32bit MPLS Label. x Default value is 20bit MPLS Label. x -trigger_mpls_label x This control will be editable if the Binding Type is set to either 20bit or 32bit MPLS-Label. This field will take the 20bit value of the MPLS-Label x -trigger_tc x This field is used to carry traffic class information. This control will be editable only if Binding Type is MPLS Label 32bit. x -trigger_bos x This bit is set to True for the last entry in the label stack i.e., for the bottom of the stack, and False for all other label stack entries. x This control will be editable only if Binding Type is MPLS Label 32bit. x -trigger_ttl x This field is used to encode a time-to-live value. This control will be editable only if Binding Type is MPLS Label 32bit. x -trigger_bandwidth x Bandwidth (bps) x -trigger_setup_priority x Setup Priority x -trigger_holding_priority x Holding Priority x -trigger_local_protection x Local Protection x -trigger_include_any x Include Any x -trigger_include_all x Include All x -trigger_exclude_any x Exclude Any x -trigger_rsvp_active_this_ero x Controls whether the ERO sub-object will be sent in the PCInitiate message. x -trigger_rsvp_loose_hop x Indicates if user wants to represent a loose-hop sub object in the LSP x -trigger_rsvp_sub_object_type x Using the Sub Object Type control user can configure which sub object needs to be included from the following options: x Not Applicable x IPv4 Prefix x IPv6 Prefix x AS Number. x -trigger_rsvp_prefix_length x Prefix Length x -trigger_rsvp_ipv4_prefix x IPv4 Prefix is specified as an IPv4 address. x -trigger_rsvp_ipv4_prefix_step x Step argument for IPv4 Prefix Address x -trigger_rsvp_ipv6_prefix x IPv6 Prefix is specified as an IPv6 address. x -trigger_rsvp_ipv6_prefix_step x Step argument for IPv6 Prefix Address x -trigger_rsvp_as_number x AS Number x -trigger_rsvp_metric_type x This is a drop down which has 4 choices:IGP/ TE/ Hop count/ MSD. x -trigger_rsvp_active_this_metric x Specifies whether the corresponding metric object is active or not. x -trigger_rsvp_metric_value x User can specify the metric value corresponding to the metric type selected. x -trigger_rsvp_b_flag x B (bound) flag MUST be set in the METRIC object, which specifies that the SID depth for the computed path MUST NOT exceed the metric-value. x -trigger_sr_active_this_ero x Controls whether the ERO sub-object will be sent in the PCInitiate message. x -trigger_sr_loose_hop x Indicates if user wants to represent a loose-hop sub object in the LSP x -trigger_sr_sid_type x Using the Segment Identifier Type control user can configure whether to include SID or not and if included what is its type. Types are as follows: x Null x SID x 20bit MPLS Label x 32bit MPLS Label. x If it is Null then S bit is set in the packet. Default value is 20bit MPLS Label. x -trigger_sr_sid x SIDis the Segment Identifier x -trigger_sr_mpls_label x This control will be editable if the SID Type is set to either 20bit or 32bit MPLS-Label. This field will take the 20bit value of the MPLS-Label x -trigger_sr_mpls_label32 x MPLS Label 32 Bit x -trigger_sr_tc
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_pce_config.py_part7
x Activate/Deactivate PCRequest Match Criteria x -learned_info_update_item x Number that indicates which learnedInfoUpdate item needs to be configured. x -trigger_number_of_ero_sub_objects x Value that indicates the number of ERO Sub Objects to be configured. x -trigger_number_of_metric_sub_objects x Value that indicates the number of Metric Objects to be configured. x -pce_triggers_choice_list x Based on options selected, IxNetwork sends information to PCPU and refreshes the statistical data in the corresponding tab of Learned Information x -trigger_include_srp x Indicates whether SRP object will be included in a PCInitiate message. All other attributes in sub-tab-SRP would be editable only if this checkbox is enabled. x -trigger_configure_lsp x Configure LSP x -trigger_configure_ero x Configure ERO x -trigger_configure_lspa x Configure LSPA x -trigger_configure_bandwidth x Configure Bandwidth x -trigger_configure_metric x Configure Metric x -trigger_override_srp_id x Indicates whether SRP object will be included in a PCUpdate trigger parameters. All other attributes in sub-tab-SRP would be editable only if this checkbox is enabled. x -trigger_srp_id x The SRP object is used to correlate between initiation requests sent by the PCE and the error reports and state reports sent by the PCC. This number is unique per PCEP session and is incremented per initiation. x -trigger_include_symbolic_path_name x Indicates if Symbolic-Path-Name TLV is to be included in PCUpate trigger message. x -trigger_include_t_e_path_binding_t_l_v x Indicates if TE-PATH-BINDING TLV is to be included in PCUpate trigger message. x -trigger_send_empty_t_l_v x If enabled all fields after Binding Type will be grayed out. x -trigger_binding_type x Indicates the type of binding included in the TLV. Types are as follows: x 20bit MPLS Label x 32bit MPLS Label. x Default value is 20bit MPLS Label. x -trigger_mpls_label x This control will be editable if the Binding Type is set to either 20bit or 32bit MPLS-Label. This field will take the 20bit value of the MPLS-Label x -trigger_tc x This field is used to carry traffic class information. This control will be editable only if Binding Type is MPLS Label 32bit. x -trigger_bos x This bit is set to True for the last entry in the label stack i.e., for the bottom of the stack, and False for all other label stack entries. x This control will be editable only if Binding Type is MPLS Label 32bit. x -trigger_ttl x This field is used to encode a time-to-live value. This control will be editable only if Binding Type is MPLS Label 32bit. x -trigger_bandwidth x Bandwidth (bps) x -trigger_setup_priority x Setup Priority x -trigger_holding_priority x Holding Priority x -trigger_local_protection x Local Protection x -trigger_include_any x Include Any x -trigger_include_all x Include All x -trigger_exclude_any x Exclude Any x -trigger_rsvp_active_this_ero x Controls whether the ERO sub-object will be sent in the PCInitiate message. x -trigger_rsvp_loose_hop x Indicates if user wants to represent a loose-hop sub object in the LSP x -trigger_rsvp_sub_object_type x Using the Sub Object Type control user can configure which sub object needs to be included from the following options: x Not Applicable x IPv4 Prefix x IPv6 Prefix x AS Number. x -trigger_rsvp_prefix_length x Prefix Length x -trigger_rsvp_ipv4_prefix x IPv4 Prefix is specified as an IPv4 address. x -trigger_rsvp_ipv4_prefix_step x Step argument for IPv4 Prefix Address x -trigger_rsvp_ipv6_prefix x IPv6 Prefix is specified as an IPv6 address. x -trigger_rsvp_ipv6_prefix_step x Step argument for IPv6 Prefix Address x -trigger_rsvp_as_number x AS Number x -trigger_rsvp_metric_type x This is a drop down which has 4 choices:IGP/ TE/ Hop count/ MSD. x -trigger_rsvp_active_this_metric x Specifies whether the corresponding metric object is active or not. x -trigger_rsvp_metric_value x User can specify the metric value corresponding to the metric type selected. x -trigger_rsvp_b_flag x B (bound) flag MUST be set in the METRIC object, which specifies that the SID depth for the computed path MUST NOT exceed the metric-value. x -trigger_sr_active_this_ero x Controls whether the ERO sub-object will be sent in the PCInitiate message. x -trigger_sr_loose_hop x Indicates if user wants to represent a loose-hop sub object in the LSP x -trigger_sr_sid_type x Using the Segment Identifier Type control user can configure whether to include SID or not and if included what is its type. Types are as follows: x Null x SID x 20bit MPLS Label x 32bit MPLS Label. x If it is Null then S bit is set in the packet. Default value is 20bit MPLS Label. x -trigger_sr_sid x SIDis the Segment Identifier x -trigger_sr_mpls_label x This control will be editable if the SID Type is set to either 20bit or 32bit MPLS-Label. This field will take the 20bit value of the MPLS-Label x -trigger_sr_mpls_label32 x MPLS Label 32 Bit x -trigger_sr_tc x This field is used to carry traffic class information. This control will be editable only if SID Type is MPLS Label 32bit. x -trigger_sr_bos x This bit is set to true for the last entry in the label stack i.e., for the bottom of the stack, and false for all other label stack entries. x This control will be editable only if SID Type is MPLS Label 32bit. x -trigger_sr_ttl x This field is used to encode a time-to-live value. This control will be editable only if SID Type is MPLS Label 32bit. x -trigger_sr_nai_type x NAI (Node or Adjacency Identifier) contains the NAI associated with the SID. Depending on the value of SID Type, the NAI can have different formats such as, x Not Applicable x IPv4 Node ID x IPv6 Node ID x IPv4 Adjacency x IPv6 Adjacency x Unnumbered Adjacency with IPv4 NodeIDs x -trigger_sr_f_bit x A Flag which is used to carry additional information pertaining to SID. When this bit is set, the NAI value in the subobject body is null. x -trigger_sr_ipv4_node_id x IPv4 Node ID is specified as an IPv4 address. This control can be configured if NAI Type is set to IPv4 Node ID and F bit is disabled. x -trigger_sr_ipv4_node_id_step x Step Argument of IPv4 Node ID. x -trigger_sr_ipv6_node_id x IPv6 Node ID is specified as an IPv6 address. This control can be configured if NAI Type is set to IPv6 Node ID and F bit is disabled. x -trigger_sr_ipv6_node_id_step x Step Argument of IPv6 Node ID. x -trigger_sr_local_ipv4_address x This Control can be configured if NAI Type is set to IPv4 Adjacency and F bit is disabled. x -trigger_sr_local_ipv4_address_step x Step Argument of Local Ipv4 Address. x -trigger_sr_remote_ipv4_address x This Control can be configured if NAI Type is set to IPv4 Adjacency and F bit is disabled. x -trigger_sr_remote_ipv4_address_step x Step Argument of Remote Ipv4 Address. x -trigger_sr_local_ipv6_address x This Control can be configured if NAI Type is set to IPv6 Adjacency and F bit is disabled. x -trigger_sr_local_ipv6_address_step x Step Argument of Local Ipv6 Address. x -trigger_sr_remote_ipv6_address x This Control can be configured if NAI Type is set to IPv6 Adjacency and F bit is disabled. x -trigger_sr_remote_ipv6_address_step x Step Argument of Remote Ipv6 Address. x -trigger_sr_local_node_id x This is the Local Node ID of the Unnumbered Adjacency with IPv4 NodeIDs which is specified as a pair of Node ID / Interface ID tuples. x This Control can be configured if NAI Type is set to Unnumbered Adjacency with IPv4 NodeIDs and F bit is disabled. x -trigger_sr_local_node_id_step x Step Argument of Local Node Id. x -trigger_sr_local_interface_id x This is the Local Interface ID of the Unnumbered Adjacency with IPv4 NodeIDs which is specified as a pair of Node ID / Interface ID tuples. x This Control can be configured if NAI Type is set to Unnumbered Adjacency with IPv4 NodeIDs and F bit is disabled. x -trigger_sr_remote_node_id x This is the Remote Node ID of the Unnumbered Adjacency with IPv4 NodeIDs which is specified as a pair of Node ID / Interface ID tuples. x This Control can be configured if NAI Type is set to Unnumbered Adjacency with IPv4 NodeIDs and F bit is disabled. x -trigger_sr_remote_node_id_step x Step Argument of Remote Node Id. x -trigger_sr_remote_interface_id x This is the Remote Interface ID of the Unnumbered Adjacency with IPv4 NodeIDs which is specified as a pair of Node ID / Interface ID tuples. x This Control can be configured if NAI Type is set to Unnumbered Adjacency with IPv4 NodeIDs and F bit is disabled. x -trigger_sr_metric_type x This is a drop down which has 4 choices:IGP/ TE/ Hop count/ MSD. x -trigger_sr_active_this_metric x Specifies whether the corresponding metric object is active or not. x -trigger_sr_metric_value x User can specify the metric value corresponding to the metric type selected. x -trigger_sr_b_flag x B (bound) flag MUST be set in the METRIC object, which specifies that the SID depth for the computed path MUST NOT exceed the metric-value. Return Values: A list containing the ipv4 loopback protocol stack handles that were added by the command (if any). x key:ipv4_loopback_handle value:A list containing the ipv4 loopback protocol stack handles that were added by the command (if any). A list containing the ipv4 protocol stack handles that were added by the command (if any). x key:ipv4_handle value:A list containing the ipv4 protocol stack handles that were added by the command (if any). $::SUCCESS | $::FAILURE key:status value:$::SUCCESS | $::FAILURE When status is $::FAILURE, log shows the detailed information of failure. key:log value:When status is $::FAILURE, log shows the detailed information of failure. Handle of PCE configured key:pce_handle value:Handle of PCE configured Handle of PccGroup configured key:pcc_group_handle value:Handle of PccGroup configured Handle of PCE Initiated LSP Parameters configured key:pce_initiate_lsp_parameters_handle value:Handle of PCE Initiated LSP Parameters configured Handle of PCReply LSP Parameters configured key:pc_reply_lsp_parameters_handle value:Handle of PCReply LSP Parameters configured Handle of PCRequest Match Criteria configured key:pc_request_match_criteria_handle value:Handle of PCRequest Match Criteria configured Handle of Detailed SR Learned Info Update configured key:pce_detailed_sr_sync_lsp_update_params_handle value:Handle of Detailed SR Learned Info Update configured Handle of Basic SR Learned Info Update configured key:pce_basic_sr_sync_lsp_update_params_handle value:Handle of Basic SR Learned Info Update configured
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_pce_config.py_part8
x This field is used to carry traffic class information. This control will be editable only if SID Type is MPLS Label 32bit. x -trigger_sr_bos x This bit is set to true for the last entry in the label stack i.e., for the bottom of the stack, and false for all other label stack entries. x This control will be editable only if SID Type is MPLS Label 32bit. x -trigger_sr_ttl x This field is used to encode a time-to-live value. This control will be editable only if SID Type is MPLS Label 32bit. x -trigger_sr_nai_type x NAI (Node or Adjacency Identifier) contains the NAI associated with the SID. Depending on the value of SID Type, the NAI can have different formats such as, x Not Applicable x IPv4 Node ID x IPv6 Node ID x IPv4 Adjacency x IPv6 Adjacency x Unnumbered Adjacency with IPv4 NodeIDs x -trigger_sr_f_bit x A Flag which is used to carry additional information pertaining to SID. When this bit is set, the NAI value in the subobject body is null. x -trigger_sr_ipv4_node_id x IPv4 Node ID is specified as an IPv4 address. This control can be configured if NAI Type is set to IPv4 Node ID and F bit is disabled. x -trigger_sr_ipv4_node_id_step x Step Argument of IPv4 Node ID. x -trigger_sr_ipv6_node_id x IPv6 Node ID is specified as an IPv6 address. This control can be configured if NAI Type is set to IPv6 Node ID and F bit is disabled. x -trigger_sr_ipv6_node_id_step x Step Argument of IPv6 Node ID. x -trigger_sr_local_ipv4_address x This Control can be configured if NAI Type is set to IPv4 Adjacency and F bit is disabled. x -trigger_sr_local_ipv4_address_step x Step Argument of Local Ipv4 Address. x -trigger_sr_remote_ipv4_address x This Control can be configured if NAI Type is set to IPv4 Adjacency and F bit is disabled. x -trigger_sr_remote_ipv4_address_step x Step Argument of Remote Ipv4 Address. x -trigger_sr_local_ipv6_address x This Control can be configured if NAI Type is set to IPv6 Adjacency and F bit is disabled. x -trigger_sr_local_ipv6_address_step x Step Argument of Local Ipv6 Address. x -trigger_sr_remote_ipv6_address x This Control can be configured if NAI Type is set to IPv6 Adjacency and F bit is disabled. x -trigger_sr_remote_ipv6_address_step x Step Argument of Remote Ipv6 Address. x -trigger_sr_local_node_id x This is the Local Node ID of the Unnumbered Adjacency with IPv4 NodeIDs which is specified as a pair of Node ID / Interface ID tuples. x This Control can be configured if NAI Type is set to Unnumbered Adjacency with IPv4 NodeIDs and F bit is disabled. x -trigger_sr_local_node_id_step x Step Argument of Local Node Id. x -trigger_sr_local_interface_id x This is the Local Interface ID of the Unnumbered Adjacency with IPv4 NodeIDs which is specified as a pair of Node ID / Interface ID tuples. x This Control can be configured if NAI Type is set to Unnumbered Adjacency with IPv4 NodeIDs and F bit is disabled. x -trigger_sr_remote_node_id x This is the Remote Node ID of the Unnumbered Adjacency with IPv4 NodeIDs which is specified as a pair of Node ID / Interface ID tuples. x This Control can be configured if NAI Type is set to Unnumbered Adjacency with IPv4 NodeIDs and F bit is disabled. x -trigger_sr_remote_node_id_step x Step Argument of Remote Node Id. x -trigger_sr_remote_interface_id x This is the Remote Interface ID of the Unnumbered Adjacency with IPv4 NodeIDs which is specified as a pair of Node ID / Interface ID tuples. x This Control can be configured if NAI Type is set to Unnumbered Adjacency with IPv4 NodeIDs and F bit is disabled. x -trigger_sr_metric_type x This is a drop down which has 4 choices:IGP/ TE/ Hop count/ MSD. x -trigger_sr_active_this_metric x Specifies whether the corresponding metric object is active or not. x -trigger_sr_metric_value x User can specify the metric value corresponding to the metric type selected. x -trigger_sr_b_flag x B (bound) flag MUST be set in the METRIC object, which specifies that the SID depth for the computed path MUST NOT exceed the metric-value. Return Values: A list containing the ipv4 loopback protocol stack handles that were added by the command (if any). x key:ipv4_loopback_handle value:A list containing the ipv4 loopback protocol stack handles that were added by the command (if any). A list containing the ipv4 protocol stack handles that were added by the command (if any). x key:ipv4_handle value:A list containing the ipv4 protocol stack handles that were added by the command (if any). $::SUCCESS | $::FAILURE key:status value:$::SUCCESS | $::FAILURE When status is $::FAILURE, log shows the detailed information of failure. key:log value:When status is $::FAILURE, log shows the detailed information of failure. Handle of PCE configured key:pce_handle value:Handle of PCE configured Handle of PccGroup configured key:pcc_group_handle value:Handle of PccGroup configured Handle of PCE Initiated LSP Parameters configured key:pce_initiate_lsp_parameters_handle value:Handle of PCE Initiated LSP Parameters configured Handle of PCReply LSP Parameters configured key:pc_reply_lsp_parameters_handle value:Handle of PCReply LSP Parameters configured Handle of PCRequest Match Criteria configured key:pc_request_match_criteria_handle value:Handle of PCRequest Match Criteria configured Handle of Detailed SR Learned Info Update configured key:pce_detailed_sr_sync_lsp_update_params_handle value:Handle of Detailed SR Learned Info Update configured Handle of Basic SR Learned Info Update configured key:pce_basic_sr_sync_lsp_update_params_handle value:Handle of Basic SR Learned Info Update configured Handle of Detailed RSVP Learned Info Update configured key:pce_detailed_rsvp_sync_lsp_update_params_handle value:Handle of Detailed RSVP Learned Info Update configured Handle of Basic RSVP Learned Info Update configured key:pce_basic_rsvp_sync_lsp_update_params_handle value:Handle of Basic RSVP Learned Info Update configured Handle of Learned Info Update key:learned_info_update_handle value:Handle of Learned Info Update Examples: Sample Input: Sample Output: Notes: See Also: ''' hlpy_args = locals().copy() hlpy_args.update(kwargs) del hlpy_args['self'] del hlpy_args['kwargs'] not_implemented_params = [] mandatory_params = [] file_params = [] try: return self.__execute_command( 'emulation_pce_config', not_implemented_params, mandatory_params, file_params, hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_pce_config.py_part9
key:pce_basic_sr_sync_lsp_update_params_handle value:Handle of Basic SR Learned Info Update configured Handle of Detailed RSVP Learned Info Update configured key:pce_detailed_rsvp_sync_lsp_update_params_handle value:Handle of Detailed RSVP Learned Info Update configured Handle of Basic RSVP Learned Info Update configured key:pce_basic_rsvp_sync_lsp_update_params_handle value:Handle of Basic RSVP Learned Info Update configured Handle of Learned Info Update key:learned_info_update_handle value:Handle of Learned Info Update Examples: Sample Input: Sample Output: Notes: See Also: ''' hlpy_args = locals().copy() hlpy_args.update(kwargs) del hlpy_args['self'] del hlpy_args['kwargs'] not_implemented_params = [] mandatory_params = [] file_params = [] try: return self.__execute_command( 'emulation_pce_config', not_implemented_params, mandatory_params, file_params, hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_pce_config.py_part10
# -*- coding: utf-8 -*- import sys from ixiaerror import IxiaError from ixiangpf import IxiaNgpf from ixiautil import PartialClass, make_hltapi_fail class IxiaNgpf(PartialClass, IxiaNgpf): def emulation_igmp_info(self, mode, **kwargs): r''' #Procedure Header Name: emulation_igmp_info Description: This procedure gathers IGMP statistics for a specific Ixia port. It is only supported for IxTclNetwork and not by IxNetwork-FT. Synopsis: emulation_igmp_info x -mode CHOICES stats_per_device_group x CHOICES stats_per_session x CHOICES aggregate x CHOICES clear_stats x CHOICES learned_info x DEFAULT aggregate [-port_handle REGEXP ^[0-9]+/[0-9]+/[0-9]+$] n [-timeout ANY] x [-handle ANY] x [-type CHOICES igmp_over_ppp x CHOICES igmp x CHOICES host x CHOICES querier x CHOICES both x DEFAULT host] Arguments: x -mode x The statistics that should be retrieved for IGMP hosts/queriers. -port_handle This parameter is used to specify the port from which statistics will be gathered. n -timeout n This argument defined by Cisco is not supported for NGPF implementation. x -handle x IGMP session handle for which the IGMP info is applied. The session handle is an emulated IGMP router object reference. x -type x The type of aggregated statistics to be gathered. Valid only for -mode aggregate. Return Values: $::SUCCESS | $::FAILURE key:status value:$::SUCCESS | $::FAILURE When status is failure, contains more information key:log value:When status is failure, contains more information Sessions Total key:<port_handle>.sessions_total value:Sessions Total Sessions Up key:<port_handle>.sessions_up value:Sessions Up Sessions Down key:<port_handle>.sessions_down value:Sessions Down Sessions Not Started key:<port_handle>.sessions_notstarted value:Sessions Not Started Total Frames Tx key:<port_handle>.igmp.aggregate.total_tx value:Total Frames Tx Total Frames Rx key:<port_handle>.igmp.aggregate.total_rx value:Total Frames Rx Invalid Packets Rx key:<port_handle>.igmp.aggregate.invalid_rx value:Invalid Packets Rx v1 Membership Reports Tx key:<port_handle>.igmp.aggregate.rprt_v1_tx value:v1 Membership Reports Tx v1 Membership Reports Rx key:<port_handle>.igmp.aggregate.rprt_v1_rx value:v1 Membership Reports Rx v2 Membership Reports Tx key:<port_handle>.igmp.aggregate.rprt_v2_tx value:v2 Membership Reports Tx v2 Membership Reports Rx key:<port_handle>.igmp.aggregate.rprt_v2_rx value:v2 Membership Reports Rx v3 Membership Reports Tx key:<port_handle>.igmp.aggregate.rprt_v3_tx value:v3 Membership Reports Tx v3 Membership Reports Rx key:<port_handle>.igmp.aggregate.rprt_v3_rx value:v3 Membership Reports Rx General Queries Rx key:<port_handle>.igmp.aggregate.gen_query_rx value:General Queries Rx v2 Group-Specific Queries Rx key:<port_handle>.igmp.aggregate.grp_query_rx value:v2 Group-Specific Queries Rx v3 Group&Source Specific Queries Rx key:<port_handle>.igmp.aggregate.v3_group_and_source_specific_queries_rx value:v3 Group&Source Specific Queries Rx v2 Leave Tx key:<port_handle>.igmp.aggregate.leave_v2_tx value:v2 Leave Tx v2 Leave Rx key:<port_handle>.igmp.aggregate.leave_v2_rx value:v2 Leave Rx v3 MODE_IS_INCLUDE Tx key:<port_handle>.igmp.aggregate.v3_mode_include_tx value:v3 MODE_IS_INCLUDE Tx v3 MODE_IS_INCLUDE Rx key:<port_handle>.igmp.aggregate.v3_mode_include_rx value:v3 MODE_IS_INCLUDE Rx v3 MODE_IS_EXCLUDE Tx key:<port_handle>.igmp.aggregate.v3_mode_exclude_tx value:v3 MODE_IS_EXCLUDE Tx v3 MODE_IS_EXCLUDE Rx key:<port_handle>.igmp.aggregate.v3_mode_exclude_rx value:v3 MODE_IS_EXCLUDE Rx v3 CHANGE_TO_INCLUDE_MODE Tx key:<port_handle>.igmp.aggregate.v3_change_mode_include_tx value:v3 CHANGE_TO_INCLUDE_MODE Tx v3 CHANGE_TO_INCLUDE_MODE Rx key:<port_handle>.igmp.aggregate.v3_change_mode_include_rx value:v3 CHANGE_TO_INCLUDE_MODE Rx v3 CHANGE_TO_EXCLUDE_MODE Tx key:<port_handle>.igmp.aggregate.v3_change_mode_exclude_tx value:v3 CHANGE_TO_EXCLUDE_MODE Tx v3 CHANGE_TO_EXCLUDE_MODE Rx key:<port_handle>.igmp.aggregate.v3_change_mode_exclude_rx value:v3 CHANGE_TO_EXCLUDE_MODE Rx v3 ALLOW_NEW_SOURCES Tx key:<port_handle>.igmp.aggregate.v3_allow_new_source_tx value:v3 ALLOW_NEW_SOURCES Tx v3 ALLOW_NEW_SOURCES Rx key:<port_handle>.igmp.aggregate.v3_allow_new_source_rx value:v3 ALLOW_NEW_SOURCES Rx v3 BLOCK_OLD_SOURCES Tx key:<port_handle>.igmp.aggregate.v3_block_old_source_tx value:v3 BLOCK_OLD_SOURCES Tx v3 BLOCK_OLD_SOURCES Rx key:<port_handle>.igmp.aggregate.v3_block_old_source_rx value:v3 BLOCK_OLD_SOURCES Rx Port Name key:<port_handle>.igmp.aggregate.port_name value:Port Name Pairs Joined key:<port_handle>.igmp.aggregate.pair_joined value:Pairs Joined Sessions Total key:<port_handle>.sessions_total value:Sessions Total Sessions Up key:<port_handle>.sessions_up value:Sessions Up Sessions Down key:<port_handle>.sessions_down value:Sessions Down Sessions Not Started key:<port_handle>.sessions_notstarted value:Sessions Not Started Invalid Packets Rx key:<port_handle>.igmp.aggregate.invalid_rx value:Invalid Packets Rx v1 General Queries Tx key:<port_handle>.igmp.aggregate.gen_query_v1_tx value:v1 General Queries Tx v2 General Queries Tx key:<port_handle>.igmp.aggregate.gen_query_v2_tx value:v2 General Queries Tx v3 General Queries Tx key:<port_handle>.igmp.aggregate.gen_query_v3_tx value:v3 General Queries Tx v2 Group Specific Queries Tx key:<port_handle>.igmp.aggregate.grp_v2_query_tx value:v2 Group Specific Queries Tx v3 Group Specific Queries Tx key:<port_handle>.igmp.aggregate.grp_v3_query_tx value:v3 Group Specific Queries Tx v3 Group and Source Specific Queries Tx key:<port_handle>.igmp.aggregate.grp_src_v3_query_tx value:v3 Group and Source Specific Queries Tx v1 Membership Reports Rx key:<port_handle>.igmp.aggregate.rprt_v1_rx value:v1 Membership Reports Rx v2 Membership Reports Rx key:<port_handle>.igmp.aggregate.rprt_v2_rx value:v2 Membership Reports Rx v3 Membership Reports Rx key:<port_handle>.igmp.aggregate.rprt_v3_rx value:v3 Membership Reports Rx Leave Rx key:<port_handle>.igmp.aggregate.leave_rx value:Leave Rx Total Frames Tx key:<port_handle>.igmp.aggregate.total_tx value:Total Frames Tx Total Frames Rx key:<port_handle>.igmp.aggregate.total_rx value:Total Frames Rx General Queries Rx key:<port_handle>.igmp.aggregate.gen_query_rx value:General Queries Rx Group Specific Queries Rx key:<port_handle>.igmp.aggregate.grp_query_rx value:Group Specific Queries Rx Port Name key:<port_handle>.igmp.aggregate.port_name value:Port Name Examples: Sample Input: Sample Output: Notes: See Also: ''' hlpy_args = locals().copy() hlpy_args.update(kwargs) del hlpy_args['self'] del hlpy_args['kwargs'] not_implemented_params = [] mandatory_params = [] file_params = [] try: return self.__execute_command( 'emulation_igmp_info', not_implemented_params, mandatory_params, file_params, hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_igmp_info.py_part1
v3 ALLOW_NEW_SOURCES Rx key:<port_handle>.igmp.aggregate.v3_allow_new_source_rx value:v3 ALLOW_NEW_SOURCES Rx v3 BLOCK_OLD_SOURCES Tx key:<port_handle>.igmp.aggregate.v3_block_old_source_tx value:v3 BLOCK_OLD_SOURCES Tx v3 BLOCK_OLD_SOURCES Rx key:<port_handle>.igmp.aggregate.v3_block_old_source_rx value:v3 BLOCK_OLD_SOURCES Rx Port Name key:<port_handle>.igmp.aggregate.port_name value:Port Name Pairs Joined key:<port_handle>.igmp.aggregate.pair_joined value:Pairs Joined Sessions Total key:<port_handle>.sessions_total value:Sessions Total Sessions Up key:<port_handle>.sessions_up value:Sessions Up Sessions Down key:<port_handle>.sessions_down value:Sessions Down Sessions Not Started key:<port_handle>.sessions_notstarted value:Sessions Not Started Invalid Packets Rx key:<port_handle>.igmp.aggregate.invalid_rx value:Invalid Packets Rx v1 General Queries Tx key:<port_handle>.igmp.aggregate.gen_query_v1_tx value:v1 General Queries Tx v2 General Queries Tx key:<port_handle>.igmp.aggregate.gen_query_v2_tx value:v2 General Queries Tx v3 General Queries Tx key:<port_handle>.igmp.aggregate.gen_query_v3_tx value:v3 General Queries Tx v2 Group Specific Queries Tx key:<port_handle>.igmp.aggregate.grp_v2_query_tx value:v2 Group Specific Queries Tx v3 Group Specific Queries Tx key:<port_handle>.igmp.aggregate.grp_v3_query_tx value:v3 Group Specific Queries Tx v3 Group and Source Specific Queries Tx key:<port_handle>.igmp.aggregate.grp_src_v3_query_tx value:v3 Group and Source Specific Queries Tx v1 Membership Reports Rx key:<port_handle>.igmp.aggregate.rprt_v1_rx value:v1 Membership Reports Rx v2 Membership Reports Rx key:<port_handle>.igmp.aggregate.rprt_v2_rx value:v2 Membership Reports Rx v3 Membership Reports Rx key:<port_handle>.igmp.aggregate.rprt_v3_rx value:v3 Membership Reports Rx Leave Rx key:<port_handle>.igmp.aggregate.leave_rx value:Leave Rx Total Frames Tx key:<port_handle>.igmp.aggregate.total_tx value:Total Frames Tx Total Frames Rx key:<port_handle>.igmp.aggregate.total_rx value:Total Frames Rx General Queries Rx key:<port_handle>.igmp.aggregate.gen_query_rx value:General Queries Rx Group Specific Queries Rx key:<port_handle>.igmp.aggregate.grp_query_rx value:Group Specific Queries Rx Port Name key:<port_handle>.igmp.aggregate.port_name value:Port Name Examples: Sample Input: Sample Output: Notes: See Also: ''' hlpy_args = locals().copy() hlpy_args.update(kwargs) del hlpy_args['self'] del hlpy_args['kwargs'] not_implemented_params = [] mandatory_params = [] file_params = [] try: return self.__execute_command( 'emulation_igmp_info', not_implemented_params, mandatory_params, file_params, hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_igmp_info.py_part2
# -*- coding: utf-8 -*- import sys from ixiaerror import IxiaError from ixiangpf import IxiaNgpf from ixiautil import PartialClass, make_hltapi_fail class IxiaNgpf(PartialClass, IxiaNgpf): def emulation_dhcp_group_config(self, handle, **kwargs): r''' #Procedure Header Name: emulation_dhcp_group_config Description: This procedure configures and modifies a group of DHCP subscribers where each group share a set of common characteristics. This procedure can be invoked multiple times to create multiple groups of subscribers on a port with characteristics different from other groups or for independent control purposes. This command allows the user to configure a specified number of DHCP client sessions which belong to a subscriber group with specific Layer 2 network settings. Once the subscriber group has been configured, a handle is created which can be used to modify the parameters or reset sessions for the subscriber. Synopsis: emulation_dhcp_group_config [-encap CHOICES ethernet_ii CHOICES ethernet_ii_vlan CHOICES ethernet_ii_qinq CHOICES vc_mux_ipv4_routed CHOICES vc_mux_fcs CHOICES vc_mux CHOICES vc_mux_ipv6_routed CHOICES llcsnap_routed CHOICES llcsnap_fcs CHOICES llcsnap CHOICES llcsnap_ppp CHOICES vc_mux_ppp DEFAULT ethernet_ii] [-mac_addr MAC] [-mac_addr_step MAC DEFAULT 00.00.00.00.00.01] [-num_sessions RANGE 1-65536] n [-pvc_incr_mode ANY] [-qinq_incr_mode CHOICES inner outer both DEFAULT inner] n [-sessions_per_vc ANY] n [-vci ANY] n [-vci_count ANY] n [-vci_step ANY] [-vlan_id RANGE 0-4095 DEFAULT 4094] [-vlan_id_count RANGE 0-4095 DEFAULT 4094] [-vlan_id_outer NUMERIC] [-vlan_id_outer_count RANGE 1-4094] [-vlan_id_outer_step RANGE 1-4094] [-vlan_id_step RANGE 0-4095] n [-vpi ANY] n [-vpi_count ANY] n [-vpi_step ANY] x [-dhcp6_range_duid_enterprise_id NUMERIC x DEFAULT 10] x [-dhcp6_range_duid_type CHOICES duid_llt duid_en duid_ll x DEFAULT duid_llt] x [-dhcp6_range_duid_vendor_id NUMERIC x DEFAULT 10] x [-dhcp6_range_duid_vendor_id_increment NUMERIC x DEFAULT 1] x [-dhcp6_range_ia_id NUMERIC x DEFAULT 10] x [-dhcp6_range_ia_id_increment NUMERIC x DEFAULT 1] x [-dhcp6_range_ia_t1 NUMERIC x DEFAULT 302400] x [-dhcp6_range_ia_t2 NUMERIC x DEFAULT 483840] x [-dhcp6_range_ia_type CHOICES iana iata iapd iana_iapd x DEFAULT iana] x [-dhcp6_range_max_no_per_client NUMERIC x DEFAULT 1] x [-dhcp6_range_iana_count NUMERIC x DEFAULT 1] x [-dhcp6_range_iapd_count NUMERIC x DEFAULT 1] x [-dhcp6_range_ia_id_inc NUMERIC x DEFAULT 1] n [-dhcp6_range_param_request_list ANY] x [-dhcp_range_ip_type CHOICES ipv4 ipv6 x DEFAULT ipv4] n [-dhcp_range_param_request_list ANY] x [-dhcp_range_renew_timer NUMERIC x DEFAULT 0] x [-dhcp_range_server_address IP x DEFAULT 10.0.0.1] x [-dhcp_range_use_first_server CHOICES 0 1 x DEFAULT 1] n [-dhcp_range_use_trusted_network_element ANY] x [-mac_mtu RANGE 500-14000 x DEFAULT 1500] n [-no_write ANY] n [-server_id ANY] n [-target_subport ANY] x [-use_vendor_id CHOICES 0 1 x DEFAULT 0] x [-vendor_id ANY x DEFAULT Ixia] n [-version ANY] x [-vlan_id_outer_increment_step RANGE 0-4093 x DEFAULT 1] x [-vlan_id_increment_step RANGE 0-4093 x DEFAULT 1] x [-vlan_id_outer_priority RANGE 0-7 x DEFAULT 0] x [-vlan_user_priority RANGE 0-7 x DEFAULT 0] [-mode CHOICES create CHOICES create_relay_agent CHOICES modify CHOICES reset DEFAULT create] -handle ANY n [-release_rate ANY] n [-request_rate ANY] x [-use_rapid_commit CHOICES 0 1 x DEFAULT 0] x [-protocol_name ALPHA] x [-dhcp4_broadcast CHOICES 0 1 x DEFAULT 0] x [-dhcp4_pad_size NUMERIC x DEFAULT 1] x [-dhcp4_enable_bfd_registration CHOICES 0 1 x DEFAULT 0] x [-enable_stateless CHOICES 0 1 x DEFAULT 0] x [-dhcp6_use_pd_global_address CHOICES 0 1 x DEFAULT 0] x [-dhcp_range_relay_type CHOICES normal lightweight x DEFAULT normal] x [-dhcp_range_use_relay_agent CHOICES 0 1 x DEFAULT 0] x [-dhcp_range_relay_count RANGE 1-1000000 x DEFAULT 1] x [-dhcp_range_relay_override_vlan_settings CHOICES 0 1 x DEFAULT 0] x [-dhcp_range_relay_first_vlan_id RANGE 0-4095 x DEFAULT 1] x [-dhcp_range_relay_vlan_increment RANGE 0-4093 x DEFAULT 1] x [-dhcp_range_relay_vlan_count RANGE 1-4094 x DEFAULT 1] x [-dhcp_range_relay_destination IP x DEFAULT 20.0.0.1] x [-dhcp_range_relay_first_address IP x DEFAULT 20.0.0.100] x [-dhcp_range_relay_address_increment IP x DEFAULT 0.0.0.1] x [-dhcp_range_relay_subnet RANGE 1-128 x DEFAULT 24] x [-dhcp_range_relay_gateway IP x DEFAULT 20.0.0.1] n [-dhcp_range_relay_use_circuit_id ANY] n [-dhcp_range_relay_circuit_id ANY] n [-dhcp_range_relay_hosts_per_circuit_id ANY] n [-dhcp_range_relay_use_remote_id ANY] n [-dhcp_range_relay_remote_id ANY] n [-dhcp_range_relay_hosts_per_remote_id ANY] n [-dhcp_range_relay_use_suboption6 ANY] n [-dhcp_range_suboption6_address_subnet ANY] n [-dhcp_range_suboption6_first_address ANY] n [-dhcp_range_relay6_use_opt_interface_id ANY] n [-dhcp_range_relay6_opt_interface_id ANY] n [-dhcp_range_relay6_hosts_per_opt_interface_id ANY] x [-dhcp4_gateway_address IP x DEFAULT 0.0.0.0] x [-dhcp4_gateway_mac MAC x DEFAULT 00.00.00.00.00.00] x [-use_custom_link_local_address CHOICES 0 1] x [-custom_link_local_address IPV6] x [-dhcp6_gateway_address IPV6 x DEFAULT 0:0:0:0:0:0:0:0] x [-dhcp6_gateway_mac MAC x DEFAULT 00.00.00.00.00.00] x [-reconf_via_relay CHOICES 0 1] x [-dhcpv6_multiplier NUMERIC] Arguments: -encap Note: ethernet_ii_qinq is not supported with IxTclHal. Valid for IxTclHal and IxTclNetwork. -mac_addr Specifies the base (first) MAC address to use when emulating multiple clients. This parameter is mandatory when -mode is "create". Valid for IxTclHal and IxTclNetwork. -mac_addr_step Specifies the step value applied to the base MAC address for each subsequent emulated client. It must be provided in the integer format (unlike ixTclHal where it is provided in MAC address format). The step MAC address is arithmetically added to the base MAC address with any overflow beyond 48 bits silently discarded. Valid for IxTclHal and IxTclNetwork. -num_sessions Indicates the number of DHCP clients emulated. The default value is 4096. Valid for IxTclHal and IxTclNetwork. n -pvc_incr_mode n This argument defined by Cisco is not supported for NGPF implementation. -qinq_incr_mode The Method used to increment VLAN IDs. Valid for IxTclHal and IxTclNetwork. n -sessions_per_vc n This argument defined by Cisco is not supported for NGPF implementation. n -vci n This argument defined by Cisco is not supported for NGPF implementation. n -vci_count n This argument defined by Cisco is not supported for NGPF implementation. n -vci_step n This argument defined by Cisco is not supported for NGPF implementation. -vlan_id The first VLAN ID to be used for the outer VLAN tag. Valid for IxTclHal and IxTclNetwork. -vlan_id_count The number of unique outer VLAN IDs that will be created. The default value is 4094. Valid for IxTclHal and IxTclNetwork. -vlan_id_outer The first VLAN ID to be used for the inner VLAN tag. Valid for IxTclNetwork. -vlan_id_outer_count The number of unique inner VLAN IDs that will be created. Valid for IxTclNetwork. -vlan_id_outer_step The value to be added to the inner VLAN ID for each new assignment. Valid for IxTclNetwork. -vlan_id_step The value to be added to the outer VLAN ID for each new assignment. Valid for IxTclHal and IxTclNetwork. n -vpi n This argument defined by Cisco is not supported for NGPF implementation. n -vpi_count
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_dhcp_group_config.py_part1
x [-dhcp4_broadcast CHOICES 0 1 x DEFAULT 0] x [-dhcp4_pad_size NUMERIC x DEFAULT 1] x [-dhcp4_enable_bfd_registration CHOICES 0 1 x DEFAULT 0] x [-enable_stateless CHOICES 0 1 x DEFAULT 0] x [-dhcp6_use_pd_global_address CHOICES 0 1 x DEFAULT 0] x [-dhcp_range_relay_type CHOICES normal lightweight x DEFAULT normal] x [-dhcp_range_use_relay_agent CHOICES 0 1 x DEFAULT 0] x [-dhcp_range_relay_count RANGE 1-1000000 x DEFAULT 1] x [-dhcp_range_relay_override_vlan_settings CHOICES 0 1 x DEFAULT 0] x [-dhcp_range_relay_first_vlan_id RANGE 0-4095 x DEFAULT 1] x [-dhcp_range_relay_vlan_increment RANGE 0-4093 x DEFAULT 1] x [-dhcp_range_relay_vlan_count RANGE 1-4094 x DEFAULT 1] x [-dhcp_range_relay_destination IP x DEFAULT 20.0.0.1] x [-dhcp_range_relay_first_address IP x DEFAULT 20.0.0.100] x [-dhcp_range_relay_address_increment IP x DEFAULT 0.0.0.1] x [-dhcp_range_relay_subnet RANGE 1-128 x DEFAULT 24] x [-dhcp_range_relay_gateway IP x DEFAULT 20.0.0.1] n [-dhcp_range_relay_use_circuit_id ANY] n [-dhcp_range_relay_circuit_id ANY] n [-dhcp_range_relay_hosts_per_circuit_id ANY] n [-dhcp_range_relay_use_remote_id ANY] n [-dhcp_range_relay_remote_id ANY] n [-dhcp_range_relay_hosts_per_remote_id ANY] n [-dhcp_range_relay_use_suboption6 ANY] n [-dhcp_range_suboption6_address_subnet ANY] n [-dhcp_range_suboption6_first_address ANY] n [-dhcp_range_relay6_use_opt_interface_id ANY] n [-dhcp_range_relay6_opt_interface_id ANY] n [-dhcp_range_relay6_hosts_per_opt_interface_id ANY] x [-dhcp4_gateway_address IP x DEFAULT 0.0.0.0] x [-dhcp4_gateway_mac MAC x DEFAULT 00.00.00.00.00.00] x [-use_custom_link_local_address CHOICES 0 1] x [-custom_link_local_address IPV6] x [-dhcp6_gateway_address IPV6 x DEFAULT 0:0:0:0:0:0:0:0] x [-dhcp6_gateway_mac MAC x DEFAULT 00.00.00.00.00.00] x [-reconf_via_relay CHOICES 0 1] x [-dhcpv6_multiplier NUMERIC] Arguments: -encap Note: ethernet_ii_qinq is not supported with IxTclHal. Valid for IxTclHal and IxTclNetwork. -mac_addr Specifies the base (first) MAC address to use when emulating multiple clients. This parameter is mandatory when -mode is "create". Valid for IxTclHal and IxTclNetwork. -mac_addr_step Specifies the step value applied to the base MAC address for each subsequent emulated client. It must be provided in the integer format (unlike ixTclHal where it is provided in MAC address format). The step MAC address is arithmetically added to the base MAC address with any overflow beyond 48 bits silently discarded. Valid for IxTclHal and IxTclNetwork. -num_sessions Indicates the number of DHCP clients emulated. The default value is 4096. Valid for IxTclHal and IxTclNetwork. n -pvc_incr_mode n This argument defined by Cisco is not supported for NGPF implementation. -qinq_incr_mode The Method used to increment VLAN IDs. Valid for IxTclHal and IxTclNetwork. n -sessions_per_vc n This argument defined by Cisco is not supported for NGPF implementation. n -vci n This argument defined by Cisco is not supported for NGPF implementation. n -vci_count n This argument defined by Cisco is not supported for NGPF implementation. n -vci_step n This argument defined by Cisco is not supported for NGPF implementation. -vlan_id The first VLAN ID to be used for the outer VLAN tag. Valid for IxTclHal and IxTclNetwork. -vlan_id_count The number of unique outer VLAN IDs that will be created. The default value is 4094. Valid for IxTclHal and IxTclNetwork. -vlan_id_outer The first VLAN ID to be used for the inner VLAN tag. Valid for IxTclNetwork. -vlan_id_outer_count The number of unique inner VLAN IDs that will be created. Valid for IxTclNetwork. -vlan_id_outer_step The value to be added to the inner VLAN ID for each new assignment. Valid for IxTclNetwork. -vlan_id_step The value to be added to the outer VLAN ID for each new assignment. Valid for IxTclHal and IxTclNetwork. n -vpi n This argument defined by Cisco is not supported for NGPF implementation. n -vpi_count n This argument defined by Cisco is not supported for NGPF implementation. n -vpi_step n This argument defined by Cisco is not supported for NGPF implementation. x -dhcp6_range_duid_enterprise_id x The vendor's registered Private Enterprise Number maintained by IANA. x The default value is 10. x Valid for IxTclNetwork. x -dhcp6_range_duid_type x DHCP Unique Identifier (DUID) Type. x Valid for IxTclNetwork. x -dhcp6_range_duid_vendor_id x The Option Request option is used to identify a list of options in a x message between a client and a server. x Valid for IxTclNetwork. x -dhcp6_range_duid_vendor_id_increment x The value by which the VENDOR-ID is incremented for each DHCP client. x The default value is 1. x Valid for IxTclNetwork. x -dhcp6_range_ia_id x Identity Association (IA) Unique Identifier. This Id is incremented x automatically for each DHCP client. The default value is 10. x Valid for IxTclNetwork. x -dhcp6_range_ia_id_increment x The value by which the IA-ID is incremented for each DHCP client. x The default is 1. x Valid for IxTclNetwork. x -dhcp6_range_ia_t1 x The suggested time, in seconds, at which the client contacts the server x to extend the lifetimes of the assigned addresses. The default value is x 302400. x Valid for IxTclNetwork. x -dhcp6_range_ia_t2 x The suggested time, in seconds, at which the client contacts any x available server to extend the lifetimes of the addresses assigned. x The default value is 483840. x Valid for IxTclNetwork. x -dhcp6_range_ia_type x The Identity Association Type. The IA types are IANA, IATA, and IAPD. x The default is IANA. x Valid for IxTclNetwork. x -dhcp6_range_max_no_per_client x The maximum number of addresses/prefixes that can be negotiated by a DHCPv6 Client. x The default value is 1. Valid for IxTclNetwork. x -dhcp6_range_iana_count x The number of IANA IAs requested in a single negotiation. The default value is 1. x Valid for IxTclNetwork. x -dhcp6_range_iapd_count x The number of IAPD IAs requested in a single negotiation. The default value is 1. x Valid for IxTclNetwork. x -dhcp6_range_ia_id_inc x The increment with which IAID is incremented for each IA solicited by a DHCPv6 Client. x The default value is 1. Valid for IxTclNetwork. n -dhcp6_range_param_request_list n This argument defined by Cisco is not supported for NGPF implementation. x -dhcp_range_ip_type x Defines the IP address version to be used for the range: IPv4 or IPv6. x The default value is IPv4. x Valid for IxTclNetwork. n -dhcp_range_param_request_list n This argument defined by Cisco is not supported for NGPF implementation. x -dhcp_range_renew_timer x When an address is allocated or reallocated, the client starts two timers x that control the renewal process. The renewal process is designed to x ensure that a client's lease can be extended before it is scheduled to end. x Valid for IxTclNetwork. x -dhcp_range_server_address x The address of the DHCP server from which the subnet will accept IP addresses. x Valid for IxTclNetwork. x -dhcp_range_use_first_server x If enabled, the subnet accepts the IP addresses offered by the first x server to respond to the DHCPDISCOVER message. x Valid for IxTclNetwork. n -dhcp_range_use_trusted_network_element n This argument defined by Cisco is not supported for NGPF implementation. x -mac_mtu x The maximum transmission unit for the interfaces created with this range. x The default value is 1500. x Valid for IxTclNetwork. n -no_write n This argument defined by Cisco is not supported for NGPF implementation. n -server_id n This argument defined by Cisco is not supported for NGPF implementation. n -target_subport n This argument defined by Cisco is not supported for NGPF implementation. x -use_vendor_id x Enables or disables the use of the Vendor Class Identifier. x Valid for IxTclNetwork. x -vendor_id x The vendor ID associated with the client. x The default value is "Ixia". x Valid for IxTclHal, IxTclNetwork. n -version n This argument defined by Cisco is not supported for NGPF implementation. x -vlan_id_outer_increment_step x How often a new outer VLAN ID is generated, if encapsulation is ethernet_ii_qinq. x Valid for IxTclNetwork. x -vlan_id_increment_step x How often a new outer VLAN ID is generated, if encapsulation is ethernet_ii_vlan. Otherwise, specifies x how often a new inner VLAN ID is generated, if encapsulation is ethernet_ii_qinq. x Valid for IxTclNetwork. x -vlan_id_outer_priority x The 802.1Q priority for the inner VLAN. x Valid for IxTclNetwork. x -vlan_user_priority x The 802.1Q priority for the outer VLAN. x Valid for IxTclNetwork. -mode Action to take on the port specified the handle argument. -handle Specifies the port and group upon which emulation is configured.If the -mode is "modify", -handle specifies the group upon which emulation is configured, otherwise it specifies the session upon which emulation is configured.
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_dhcp_group_config.py_part2
n This argument defined by Cisco is not supported for NGPF implementation. n -vpi_count n This argument defined by Cisco is not supported for NGPF implementation. n -vpi_step n This argument defined by Cisco is not supported for NGPF implementation. x -dhcp6_range_duid_enterprise_id x The vendor's registered Private Enterprise Number maintained by IANA. x The default value is 10. x Valid for IxTclNetwork. x -dhcp6_range_duid_type x DHCP Unique Identifier (DUID) Type. x Valid for IxTclNetwork. x -dhcp6_range_duid_vendor_id x The Option Request option is used to identify a list of options in a x message between a client and a server. x Valid for IxTclNetwork. x -dhcp6_range_duid_vendor_id_increment x The value by which the VENDOR-ID is incremented for each DHCP client. x The default value is 1. x Valid for IxTclNetwork. x -dhcp6_range_ia_id x Identity Association (IA) Unique Identifier. This Id is incremented x automatically for each DHCP client. The default value is 10. x Valid for IxTclNetwork. x -dhcp6_range_ia_id_increment x The value by which the IA-ID is incremented for each DHCP client. x The default is 1. x Valid for IxTclNetwork. x -dhcp6_range_ia_t1 x The suggested time, in seconds, at which the client contacts the server x to extend the lifetimes of the assigned addresses. The default value is x 302400. x Valid for IxTclNetwork. x -dhcp6_range_ia_t2 x The suggested time, in seconds, at which the client contacts any x available server to extend the lifetimes of the addresses assigned. x The default value is 483840. x Valid for IxTclNetwork. x -dhcp6_range_ia_type x The Identity Association Type. The IA types are IANA, IATA, and IAPD. x The default is IANA. x Valid for IxTclNetwork. x -dhcp6_range_max_no_per_client x The maximum number of addresses/prefixes that can be negotiated by a DHCPv6 Client. x The default value is 1. Valid for IxTclNetwork. x -dhcp6_range_iana_count x The number of IANA IAs requested in a single negotiation. The default value is 1. x Valid for IxTclNetwork. x -dhcp6_range_iapd_count x The number of IAPD IAs requested in a single negotiation. The default value is 1. x Valid for IxTclNetwork. x -dhcp6_range_ia_id_inc x The increment with which IAID is incremented for each IA solicited by a DHCPv6 Client. x The default value is 1. Valid for IxTclNetwork. n -dhcp6_range_param_request_list n This argument defined by Cisco is not supported for NGPF implementation. x -dhcp_range_ip_type x Defines the IP address version to be used for the range: IPv4 or IPv6. x The default value is IPv4. x Valid for IxTclNetwork. n -dhcp_range_param_request_list n This argument defined by Cisco is not supported for NGPF implementation. x -dhcp_range_renew_timer x When an address is allocated or reallocated, the client starts two timers x that control the renewal process. The renewal process is designed to x ensure that a client's lease can be extended before it is scheduled to end. x Valid for IxTclNetwork. x -dhcp_range_server_address x The address of the DHCP server from which the subnet will accept IP addresses. x Valid for IxTclNetwork. x -dhcp_range_use_first_server x If enabled, the subnet accepts the IP addresses offered by the first x server to respond to the DHCPDISCOVER message. x Valid for IxTclNetwork. n -dhcp_range_use_trusted_network_element n This argument defined by Cisco is not supported for NGPF implementation. x -mac_mtu x The maximum transmission unit for the interfaces created with this range. x The default value is 1500. x Valid for IxTclNetwork. n -no_write n This argument defined by Cisco is not supported for NGPF implementation. n -server_id n This argument defined by Cisco is not supported for NGPF implementation. n -target_subport n This argument defined by Cisco is not supported for NGPF implementation. x -use_vendor_id x Enables or disables the use of the Vendor Class Identifier. x Valid for IxTclNetwork. x -vendor_id x The vendor ID associated with the client. x The default value is "Ixia". x Valid for IxTclHal, IxTclNetwork. n -version n This argument defined by Cisco is not supported for NGPF implementation. x -vlan_id_outer_increment_step x How often a new outer VLAN ID is generated, if encapsulation is ethernet_ii_qinq. x Valid for IxTclNetwork. x -vlan_id_increment_step x How often a new outer VLAN ID is generated, if encapsulation is ethernet_ii_vlan. Otherwise, specifies x how often a new inner VLAN ID is generated, if encapsulation is ethernet_ii_qinq. x Valid for IxTclNetwork. x -vlan_id_outer_priority x The 802.1Q priority for the inner VLAN. x Valid for IxTclNetwork. x -vlan_user_priority x The 802.1Q priority for the outer VLAN. x Valid for IxTclNetwork. -mode Action to take on the port specified the handle argument. -handle Specifies the port and group upon which emulation is configured.If the -mode is "modify", -handle specifies the group upon which emulation is configured, otherwise it specifies the session upon which emulation is configured. Valid for IxTclHal and IxTclNetwork. n -release_rate n This argument defined by Cisco is not supported for NGPF implementation. n -request_rate n This argument defined by Cisco is not supported for NGPF implementation. x -use_rapid_commit x Enable DHCP Client to negotiate leases with rapid commit. x -protocol_name x Name of the dhcp protocol as it should appear in the IxNetwork GUI. x -dhcp4_broadcast x If enabled, ask the server or relay agent to use the broadcast IP address in the replies. x -dhcp4_pad_size x The no.of bytes that will get padded after the End option in discover packet. x -dhcp4_enable_bfd_registration x If enabled, DHCP client will register with BFD. Once registered, DHCP client will go to INIT-REBOOT state whenever BFD will detect link down. x By default, this option is disabled. x -enable_stateless x Enable DHCP stateless. x -dhcp6_use_pd_global_address x Use DHCPc6-PD global addressing. x -dhcp_range_relay_type x Defines the relay agent type to be used: normal or lightweight. x The default value is normal. Valid only for dhcpv6. x Valid for IxTclNetwork. x -dhcp_range_use_relay_agent x If true, the subnet will emulate a DHCP relay agent (added before the DHCP device group). x Valid for IxTclNetwork. x -dhcp_range_relay_count x The number of relay agents to use in this range. Note that the number x of Ethernet or ATM interfaces used by a range has to be equal to the x number of DHCP clients plus the number of relay agents, and the relay x agent count cannot exceed the number of DHCP clients defined on the Ixia x port. The default is 1. x Valid for IxTclNetwork. x -dhcp_range_relay_override_vlan_settings x If true, the DHCP plug-in overrides the VLAN settings, thereby allowing x you to specify how VLANs are assigned. x Valid for IxTclNetwork. x -dhcp_range_relay_first_vlan_id x The first (outer) VLAN ID to allocate to relay agent interfaces. The x default is 1. x Valid for IxTclNetwork. x -dhcp_range_relay_vlan_increment x The VLAN increment to use for relay interfaces. The default is 1. x Valid for IxTclNetwork. x -dhcp_range_relay_vlan_count x The number of different VLAN IDs to use. The default is 1. x Valid for IxTclNetwork. x -dhcp_range_relay_destination x The address to which the requests from DHCP clients are forwarded. The x default value is 20.0.0.1. x Valid for IxTclNetwork. x -dhcp_range_relay_first_address x The IP address of the first emulated DHCP Relay Agent. The DHCP network x stack element will create one relay agent on each port contained in the x current port and current range. The default value is 20.0.0.100. x Valid for IxTclNetwork. x -dhcp_range_relay_address_increment x The value by which to increment the IP address for each relay agent. x The default value is 0.0.0.1. x Valid for IxTclNetwork. x -dhcp_range_relay_subnet x The network mask (expressed as a prefix length) used for all relay agents. x The default value is 24. x Valid for IxTclNetwork. x -dhcp_range_relay_gateway x The gateway address used for all relay agents. Default value is 20.0.0.1. x Valid for IxTclNetwork. n -dhcp_range_relay_use_circuit_id n This argument defined by Cisco is not supported for NGPF implementation. n -dhcp_range_relay_circuit_id n This argument defined by Cisco is not supported for NGPF implementation. n -dhcp_range_relay_hosts_per_circuit_id n This argument defined by Cisco is not supported for NGPF implementation. n -dhcp_range_relay_use_remote_id n This argument defined by Cisco is not supported for NGPF implementation. n -dhcp_range_relay_remote_id n This argument defined by Cisco is not supported for NGPF implementation. n -dhcp_range_relay_hosts_per_remote_id n This argument defined by Cisco is not supported for NGPF implementation. n -dhcp_range_relay_use_suboption6 n This argument defined by Cisco is not supported for NGPF implementation. n -dhcp_range_suboption6_address_subnet n This argument defined by Cisco is not supported for NGPF implementation. n -dhcp_range_suboption6_first_address n This argument defined by Cisco is not supported for NGPF implementation. n -dhcp_range_relay6_use_opt_interface_id n This argument defined by Cisco is not supported for NGPF implementation. n -dhcp_range_relay6_opt_interface_id n This argument defined by Cisco is not supported for NGPF implementation. n -dhcp_range_relay6_hosts_per_opt_interface_id n This argument defined by Cisco is not supported for NGPF implementation. x -dhcp4_gateway_address x The Gateway IP Address for the session. x Valid for IxTclNetwork. x -dhcp4_gateway_mac x The Gateway Mac for the session. x Valid for IxTclNetwork. x -use_custom_link_local_address x Enables users to manually set non-EUI link local addresses x -custom_link_local_address x Configures the Manual Link-Local IPv6 Address for the DHCPv6 Client. x -dhcp6_gateway_address x The Gateway IPv6 Address for the session. x Valid for IxTclNetwork. x -dhcp6_gateway_mac x The Gateway Mac for the session.
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_dhcp_group_config.py_part3
which emulation is configured. Valid for IxTclHal and IxTclNetwork. n -release_rate n This argument defined by Cisco is not supported for NGPF implementation. n -request_rate n This argument defined by Cisco is not supported for NGPF implementation. x -use_rapid_commit x Enable DHCP Client to negotiate leases with rapid commit. x -protocol_name x Name of the dhcp protocol as it should appear in the IxNetwork GUI. x -dhcp4_broadcast x If enabled, ask the server or relay agent to use the broadcast IP address in the replies. x -dhcp4_pad_size x The no.of bytes that will get padded after the End option in discover packet. x -dhcp4_enable_bfd_registration x If enabled, DHCP client will register with BFD. Once registered, DHCP client will go to INIT-REBOOT state whenever BFD will detect link down. x By default, this option is disabled. x -enable_stateless x Enable DHCP stateless. x -dhcp6_use_pd_global_address x Use DHCPc6-PD global addressing. x -dhcp_range_relay_type x Defines the relay agent type to be used: normal or lightweight. x The default value is normal. Valid only for dhcpv6. x Valid for IxTclNetwork. x -dhcp_range_use_relay_agent x If true, the subnet will emulate a DHCP relay agent (added before the DHCP device group). x Valid for IxTclNetwork. x -dhcp_range_relay_count x The number of relay agents to use in this range. Note that the number x of Ethernet or ATM interfaces used by a range has to be equal to the x number of DHCP clients plus the number of relay agents, and the relay x agent count cannot exceed the number of DHCP clients defined on the Ixia x port. The default is 1. x Valid for IxTclNetwork. x -dhcp_range_relay_override_vlan_settings x If true, the DHCP plug-in overrides the VLAN settings, thereby allowing x you to specify how VLANs are assigned. x Valid for IxTclNetwork. x -dhcp_range_relay_first_vlan_id x The first (outer) VLAN ID to allocate to relay agent interfaces. The x default is 1. x Valid for IxTclNetwork. x -dhcp_range_relay_vlan_increment x The VLAN increment to use for relay interfaces. The default is 1. x Valid for IxTclNetwork. x -dhcp_range_relay_vlan_count x The number of different VLAN IDs to use. The default is 1. x Valid for IxTclNetwork. x -dhcp_range_relay_destination x The address to which the requests from DHCP clients are forwarded. The x default value is 20.0.0.1. x Valid for IxTclNetwork. x -dhcp_range_relay_first_address x The IP address of the first emulated DHCP Relay Agent. The DHCP network x stack element will create one relay agent on each port contained in the x current port and current range. The default value is 20.0.0.100. x Valid for IxTclNetwork. x -dhcp_range_relay_address_increment x The value by which to increment the IP address for each relay agent. x The default value is 0.0.0.1. x Valid for IxTclNetwork. x -dhcp_range_relay_subnet x The network mask (expressed as a prefix length) used for all relay agents. x The default value is 24. x Valid for IxTclNetwork. x -dhcp_range_relay_gateway x The gateway address used for all relay agents. Default value is 20.0.0.1. x Valid for IxTclNetwork. n -dhcp_range_relay_use_circuit_id n This argument defined by Cisco is not supported for NGPF implementation. n -dhcp_range_relay_circuit_id n This argument defined by Cisco is not supported for NGPF implementation. n -dhcp_range_relay_hosts_per_circuit_id n This argument defined by Cisco is not supported for NGPF implementation. n -dhcp_range_relay_use_remote_id n This argument defined by Cisco is not supported for NGPF implementation. n -dhcp_range_relay_remote_id n This argument defined by Cisco is not supported for NGPF implementation. n -dhcp_range_relay_hosts_per_remote_id n This argument defined by Cisco is not supported for NGPF implementation. n -dhcp_range_relay_use_suboption6 n This argument defined by Cisco is not supported for NGPF implementation. n -dhcp_range_suboption6_address_subnet n This argument defined by Cisco is not supported for NGPF implementation. n -dhcp_range_suboption6_first_address n This argument defined by Cisco is not supported for NGPF implementation. n -dhcp_range_relay6_use_opt_interface_id n This argument defined by Cisco is not supported for NGPF implementation. n -dhcp_range_relay6_opt_interface_id n This argument defined by Cisco is not supported for NGPF implementation. n -dhcp_range_relay6_hosts_per_opt_interface_id n This argument defined by Cisco is not supported for NGPF implementation. x -dhcp4_gateway_address x The Gateway IP Address for the session. x Valid for IxTclNetwork. x -dhcp4_gateway_mac x The Gateway Mac for the session. x Valid for IxTclNetwork. x -use_custom_link_local_address x Enables users to manually set non-EUI link local addresses x -custom_link_local_address x Configures the Manual Link-Local IPv6 Address for the DHCPv6 Client. x -dhcp6_gateway_address x The Gateway IPv6 Address for the session. x Valid for IxTclNetwork. x -dhcp6_gateway_mac x The Gateway Mac for the session. x Valid for IxTclNetwork. x -reconf_via_relay x If Enabled allows Reconfigure to be sent from server to Client via RelayAgent x -dhcpv6_multiplier x Number of layer instances per parent instance (multiplier) Return Values: A list containing the dhcpv6 iapd protocol stack handles that were added by the command (if any). x key:dhcpv6_iapd_handle value:A list containing the dhcpv6 iapd protocol stack handles that were added by the command (if any). A list containing the dhcpv6 iana protocol stack handles that were added by the command (if any). x key:dhcpv6_iana_handle value:A list containing the dhcpv6 iana protocol stack handles that were added by the command (if any). $::SUCCESS | $::FAILURE key:status value:$::SUCCESS | $::FAILURE When status is failure, contains more info key:log value:When status is failure, contains more info Handle of the dhcp endpoint configured Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. key:handle value:Handle of the dhcp endpoint configured Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. Handle of any dhcpv4 endpoints configured key:dhcpv4client_handle value:Handle of any dhcpv4 endpoints configured Handle of any dhcpv6 endpoints configured key:dhcpv6client_handle value:Handle of any dhcpv6 endpoints configured Handle of any dhcpv4 relay agents configured key:dhcpv4relayagent_handle value:Handle of any dhcpv4 relay agents configured Handle of any dhcpv6 relay agents configured key:dhcpv6relayagent_handle value:Handle of any dhcpv6 relay agents configured Examples: Sample Input: Sample Output: Notes: If the current session or command was run with -return_detailed_handles 0 the following keys will be omitted from the command response: handle See Also: ''' hlpy_args = locals().copy() hlpy_args.update(kwargs) del hlpy_args['self'] del hlpy_args['kwargs'] not_implemented_params = [] mandatory_params = [] file_params = [] try: return self.__execute_command( 'emulation_dhcp_group_config', not_implemented_params, mandatory_params, file_params, hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_dhcp_group_config.py_part4
x Valid for IxTclNetwork. x -reconf_via_relay x If Enabled allows Reconfigure to be sent from server to Client via RelayAgent x -dhcpv6_multiplier x Number of layer instances per parent instance (multiplier) Return Values: A list containing the dhcpv6 iapd protocol stack handles that were added by the command (if any). x key:dhcpv6_iapd_handle value:A list containing the dhcpv6 iapd protocol stack handles that were added by the command (if any). A list containing the dhcpv6 iana protocol stack handles that were added by the command (if any). x key:dhcpv6_iana_handle value:A list containing the dhcpv6 iana protocol stack handles that were added by the command (if any). $::SUCCESS | $::FAILURE key:status value:$::SUCCESS | $::FAILURE When status is failure, contains more info key:log value:When status is failure, contains more info Handle of the dhcp endpoint configured Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. key:handle value:Handle of the dhcp endpoint configured Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. Handle of any dhcpv4 endpoints configured key:dhcpv4client_handle value:Handle of any dhcpv4 endpoints configured Handle of any dhcpv6 endpoints configured key:dhcpv6client_handle value:Handle of any dhcpv6 endpoints configured Handle of any dhcpv4 relay agents configured key:dhcpv4relayagent_handle value:Handle of any dhcpv4 relay agents configured Handle of any dhcpv6 relay agents configured key:dhcpv6relayagent_handle value:Handle of any dhcpv6 relay agents configured Examples: Sample Input: Sample Output: Notes: If the current session or command was run with -return_detailed_handles 0 the following keys will be omitted from the command response: handle See Also: ''' hlpy_args = locals().copy() hlpy_args.update(kwargs) del hlpy_args['self'] del hlpy_args['kwargs'] not_implemented_params = [] mandatory_params = [] file_params = [] try: return self.__execute_command( 'emulation_dhcp_group_config', not_implemented_params, mandatory_params, file_params, hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_dhcp_group_config.py_part5
# -*- coding: utf-8 -*- import sys from ixiaerror import IxiaError from ixiangpf import IxiaNgpf from ixiautil import PartialClass, make_hltapi_fail class IxiaNgpf(PartialClass, IxiaNgpf): def emulation_multicast_group_config(self, mode, **kwargs): r''' #Procedure Header Name: emulation_multicast_group_config Description: Configures multicast groups to be used by all multicast emulation tools including PIM, IGMP, MLD. Synopsis: emulation_multicast_group_config [-handle ANY] -mode CHOICES create delete modify [-ip_addr_start IP] [-ip_addr_step IP DEFAULT 0.0.0.1] n [-ip_prefix_len ANY] [-num_groups NUMERIC DEFAULT 1] x [-active CHOICES 0 1] n [-multiplier ANY] n [-iptv_tracking_enabled ANY] Arguments: -handle If the -mode is delete or modify, then this option is required to specify the existing multicast group pool. -mode This option defines the action to be taken. -ip_addr_start First multicast group address in the group pool. -ip_addr_step Used to increment group address. n -ip_prefix_len n This argument defined by Cisco is not supported for NGPF implementation. -num_groups Number of multicast groups in group pool. x -active x The active state of an individual item from the group pool. n -multiplier n This argument defined by Cisco is not supported for NGPF implementation. n -iptv_tracking_enabled n This argument defined by Cisco is not supported for NGPF implementation. Return Values: A list containing the multicast group protocol stack handles that were added by the command (if any). x key:multicast_group_handle value:A list containing the multicast group protocol stack handles that were added by the command (if any). $::SUCCESS | $::FAILURE key:status value:$::SUCCESS | $::FAILURE When status is failure, contains more information key:log value:When status is failure, contains more information The handle for the multicast group pool created key:handle value:The handle for the multicast group pool created Examples: See the files starting with IGMPv1_, IGMPv2_, IGMPv3_, MLD_, MVPN_, and PIM_ in the Samples subdirectory. See the IGMP, MLD, MVPN, or PIM examples in Appendix A, "Example APIs," for more specific example usage. Sample Input: Sample Output: Notes: See Also: ''' hlpy_args = locals().copy() hlpy_args.update(kwargs) del hlpy_args['self'] del hlpy_args['kwargs'] not_implemented_params = [] mandatory_params = [] file_params = [] try: return self.__execute_command( 'emulation_multicast_group_config', not_implemented_params, mandatory_params, file_params, hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_multicast_group_config.py_part1
# -*- coding: utf-8 -*- import sys from ixiaerror import IxiaError from ixiangpf import IxiaNgpf from ixiautil import PartialClass, make_hltapi_fail class IxiaNgpf(PartialClass, IxiaNgpf): def emulation_esmc_config(self, handle, mode, **kwargs): r''' #Procedure Header Name: emulation_esmc_config Description: This procedure configures ESMC protocol stack. Synopsis: emulation_esmc_config -handle ANY -mode CHOICES create modify delete x [-protocol_name ALPHA] [-esmc_multiplier NUMERIC] x [-quality_level CHOICES ql_stu_unk x CHOICES ql_prs x CHOICES ql_prc x CHOICES ql_inv3 x CHOICES ql_ssu_a_tnc x CHOICES ql_inv5 x CHOICES ql_inv6 x CHOICES ql_st2 x CHOICES ql_ssu_b x CHOICES ql_inv9 x CHOICES ql_eec2_st3 x CHOICES ql_eec1_sec x CHOICES ql_smc x CHOICES ql_st3e x CHOICES ql_prov x CHOICES ql_dnu_dus x CHOICES ql_random x CHOICES ql_prtc_op1 x CHOICES ql_eprtc_op1 x CHOICES ql_eeec_op1 x CHOICES ql_eprc_op1 x CHOICES ql_prtc_op2 x CHOICES ql_eprtc_op2 x CHOICES ql_eeec_op2 x CHOICES ql_eprc_op2 x CHOICES ql_custom] x [-custom_ssm_code NUMERIC] x [-custom_enhanced_ssm_code HEX] x [-flag_mode CHOICES auto alwayson alwaysoff] x [-enable_extended_ql_tlv CHOICES 0 1] x [-enable_custom_sync_eclock_identity CHOICES 0 1] x [-custom_sync_eclock_identity HEX] x [-mixed_eecs CHOICES 0 1] x [-partial_chain CHOICES 0 1] x [-number_of_cascaded_eeecs NUMERIC] x [-number_of_cascaded_eecs NUMERIC] x [-send_dnu_if_better_ql_received CHOICES 0 1] x [-esmc_timeout NUMERIC] x [-transmission_rate NUMERIC] Arguments: -handle Valid values are: create, modify and delete. For create and modify -mode, handle should be its parent Ethernet node handle. For delete -mode, -handle should be its own handle i.e ESMC node handle. -mode This option defines the action to be taken on the ESMC. x -protocol_name x This is the name of the protocol stack as it appears in the GUI. x Name of NGPF element, guaranteed to be unique in Scenario. -esmc_multiplier Number of ESMC to be created. x -quality_level x The SSM clock quality level(QL) code. x -custom_ssm_code x Denotes the custom SSM code entered by user. x -custom_enhanced_ssm_code x Denotes the custom enhanced SSM code entered by User. x -flag_mode x Sets the event transmition. x -enable_extended_ql_tlv x Enables addition of extended QL tlv in ESMC PDU. x -enable_custom_sync_eclock_identity x Enables user to provide the Sync E clock identity. x -custom_sync_eclock_identity x This denotes the Sync E clock identity of the originator of the extended QL TLV. By default it is the MAC address of the underlying ethernet stack. x -mixed_eecs x This denotes that whether at least one clock is not eEEC in the chain. x -partial_chain x This denotes whether the TLV is generated in the middle of the Chain. x -number_of_cascaded_eeecs x Denotes the number of cascaded eEECs from the nearest SSU/PRC. x -number_of_cascaded_eecs x Denotes the number of cascaded EECs from the nearest SSU/PRC. x -send_dnu_if_better_ql_received x Changes transmitted QL to DNU when better QL received. x -esmc_timeout x Transmits old QL after not receiving better QL for Timeout seconds. x -transmission_rate x Sets transmission rate in seconds. Default rate is 1 seconds. Return Values: A list containing the network group protocol stack handles that were added by the command (if any). x key:network_group_handle value:A list containing the network group protocol stack handles that were added by the command (if any). A list containing the mac pools protocol stack handles that were added by the command (if any). x key:mac_pools value:A list containing the mac pools protocol stack handles that were added by the command (if any). A list containing the esmc protocol stack handles that were added by the command (if any). x key:esmc value:A list containing the esmc protocol stack handles that were added by the command (if any). Examples: Sample Input: Sample Output: Notes: Coded versus functional specification. 1) You can configure multiple ESMC on each Ixia interface. See Also: ''' hlpy_args = locals().copy() hlpy_args.update(kwargs) del hlpy_args['self'] del hlpy_args['kwargs'] not_implemented_params = [] mandatory_params = [] file_params = [] try: return self.__execute_command( 'emulation_esmc_config', not_implemented_params, mandatory_params, file_params, hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_esmc_config.py_part1
hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_esmc_config.py_part2
# -*- coding: utf-8 -*- import sys from ixiaerror import IxiaError from ixiangpf import IxiaNgpf from ixiautil import PartialClass, make_hltapi_fail class IxiaNgpf(PartialClass, IxiaNgpf): def emulation_bfd_control(self, mode, **kwargs): r''' #Procedure Header Name: emulation_bfd_control Description: This procedure starts/stops a BFD configuration. Synopsis: emulation_bfd_control -mode CHOICES start CHOICES stop CHOICES restart CHOICES abort CHOICES resume_pdu CHOICES stop_pdu CHOICES demand_mode_disable CHOICES demand_mode_enable CHOICES initiate_poll CHOICES set_admin_down CHOICES set_admin_up CHOICES set_diagnostic_state n [-port_handle ANY] [-handle ANY] x [-protocol_name CHOICES isis x CHOICES bfd x CHOICES ospf x CHOICES ospfv3 x CHOICES pim x CHOICES bgp x CHOICES ldp x CHOICES rsvp x DEFAULT bfd] x [-diagnostic_code CHOICES administratively_down x CHOICES concatenated_path_down x CHOICES control_detection_time_expired x CHOICES echo_function_failed x CHOICES forwarding_plane_reset x CHOICES neighbour_signaled_session_down x CHOICES path_down x CHOICES reserved x CHOICES reverse_concatenated_path_down x DEFAULT control_detection_time_expired] Arguments: -mode The action to take on the handle provided: start/stop the protocol. n -port_handle n This argument defined by Cisco is not supported for NGPF implementation. -handle The router handle or router interface handle or session handle where BFD emulation will be started/stopped. This action will be applied to the port where -handle was created. One of the two parameters is required: handle. x -protocol_name x This is session used by protocol x -diagnostic_code x This is the diagnostic code Return Values: $::SUCCESS | $::FAILURE key:status value:$::SUCCESS | $::FAILURE On status of failure, gives detailed information. key:log value:On status of failure, gives detailed information. Examples: Sample Input: Sample Output: Notes: See Also: ''' hlpy_args = locals().copy() hlpy_args.update(kwargs) del hlpy_args['self'] del hlpy_args['kwargs'] not_implemented_params = [] mandatory_params = [] file_params = [] try: return self.__execute_command( 'emulation_bfd_control', not_implemented_params, mandatory_params, file_params, hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bfd_control.py_part1
# -*- coding: utf-8 -*- import sys from ixiaerror import IxiaError from ixiangpf import IxiaNgpf from ixiautil import PartialClass, make_hltapi_fail class IxiaNgpf(PartialClass, IxiaNgpf): def emulation_ovsdb_info(self, mode, **kwargs): r''' #Procedure Header Name: emulation_ovsdb_info Description: Retrieves information about the OVSDB Controller protocol. Synopsis: emulation_ovsdb_info -mode CHOICES aggregate_stats CHOICES stats CHOICES clear_stats x [-execution_timeout NUMERIC x DEFAULT 1800] [-handle ANY] [-port_handle REGEXP ^[0-9]+/[0-9]+/[0-9]+$] Arguments: -mode What action will be taken.Valid options are: aggregate_stats stats clear_stats x -execution_timeout x This is the timeout for the function. x The setting is in seconds. x Setting this setting to 60 it will mean that the command must complete in under 60 seconds. x If the command will last more than 60 seconds the command will be terminated by force. x This flag can be used to prevent dead locks occuring in IxNetwork. -handle The Ovsdb Controller /switch session handle to act upon. -port_handle The port from which to extract Ovsdb Controller data. One of the two parameters is required: port_handle/handle. Return Values: $::SUCCESS | $::FAILURE key:status value:$::SUCCESS | $::FAILURE If status is failure, detailed information provided. key:log value:If status is failure, detailed information provided. key:Aggregate stats: value: key:<port_handle>.aggregate.port_name value: key:<port_handle>.aggregate.sessions_up value: key:<port_handle>.aggregate.sessions_down value: key:<port_handle>.aggregate.sessions_not_started value: key:<port_handle>.aggregate.sessions_total value: key:<port_handle>.aggregate.json_rx value: key:<port_handle>.aggregate.json_tx value: key:<port_handle>.aggregate.invalid_json_rx value: key:<port_handle>.aggregate.monitor_tx value: key:<port_handle>.aggregate.monitor_rx value: key:<port_handle>.aggregate.transact_tx value: key:<port_handle>.aggregate.transact_rx value: key:<port_handle>.aggregate.reply_rx value: key:<port_handle>.aggregate.error_rx value: Examples: Sample Input: Sample Output: Notes: Coded versus functional specification. See Also: ''' hlpy_args = locals().copy() hlpy_args.update(kwargs) del hlpy_args['self'] del hlpy_args['kwargs'] not_implemented_params = [] mandatory_params = [] file_params = [] try: return self.__execute_command( 'emulation_ovsdb_info', not_implemented_params, mandatory_params, file_params, hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_ovsdb_info.py_part1
# -*- coding: utf-8 -*- import sys from ixiaerror import IxiaError from ixiangpf import IxiaNgpf from ixiautil import PartialClass, make_hltapi_fail class IxiaNgpf(PartialClass, IxiaNgpf): def emulation_bgp_config(self, mode, **kwargs): r''' #Procedure Header Name: emulation_bgp_config Description: This procedure configures BGP neighbors, internal and/or external. It is used to create, enable, modify, and to delete an emulated Border Gateway Protocol. User can configure multiple BGP peers per interface by calling this procedure multiple times. Synopsis: emulation_bgp_config -mode CHOICES delete CHOICES disable CHOICES enable CHOICES create CHOICES modify CHOICES reset x [-active CHOICES 0 1 x DEFAULT 1] x [-md5_enable CHOICES 0 1] x [-md5_key ANY] [-port_handle REGEXP ^[0-9]+/[0-9]+/[0-9]+$] [-handle ANY] x [-return_detailed_handles CHOICES 0 1 x DEFAULT 0] [-ip_version CHOICES 4 6 DEFAULT 4] [-local_ip_addr IPV4] [-gateway_ip_addr IP] [-remote_ip_addr IPV4] x [-bgp_unnumbered CHOICES 0 1 x DEFAULT 0] [-local_ipv6_addr IPV6] x [-gateway_as_remote_ipv6_addr CHOICES 0 1 x DEFAULT 0] [-remote_ipv6_addr IPV6] [-local_addr_step IP] [-remote_addr_step IP] [-next_hop_enable CHOICES 0 1 DEFAULT 1] [-next_hop_ip IP] x [-enable_4_byte_as CHOICES 0 1 x DEFAULT 0] [-local_as RANGE 0-4294967295] x [-local_as4 RANGE 0-4294967295] [-local_as_mode CHOICES fixed increment DEFAULT fixed] n [-remote_as ANY] [-local_as_step RANGE 0-4294967295 DEFAULT 1] [-update_interval RANGE 0-65535] [-count NUMERIC DEFAULT 1] [-local_router_id IPV4] x [-local_router_id_step IPV4 x DEFAULT 0.0.0.1] x [-vlan CHOICES 0 1 x DEFAULT 0] [-vlan_id RANGE 0-4095] [-vlan_id_mode CHOICES fixed increment DEFAULT increment] [-vlan_id_step RANGE 0-4096 DEFAULT 1] x [-vlan_user_priority RANGE 0-7] n [-vpi ANY] n [-vci ANY] n [-vpi_step ANY] n [-vci_step ANY] n [-atm_encapsulation ANY] x [-interface_handle ANY] n [-retry_time ANY] [-hold_time NUMERIC] [-neighbor_type CHOICES internal external] [-graceful_restart_enable CHOICES 0 1 DEFAULT 0] [-restart_time RANGE 0-10000000] [-stale_time RANGE 0-10000000] [-tcp_window_size RANGE 0-10000000] n [-retries ANY] [-local_router_id_enable CHOICES 0 1 DEFAULT 0] [-netmask RANGE 1-128] [-mac_address_start MAC] x [-mac_address_step MAC x DEFAULT 0000.0000.0001] x [-ipv4_mdt_nlri FLAG] x [-ipv4_capability_mdt_nlri FLAG] [-ipv4_unicast_nlri FLAG] [-ipv4_capability_unicast_nlri FLAG] [-ipv4_filter_unicast_nlri FLAG] [-ipv4_multicast_nlri FLAG] [-ipv4_capability_multicast_nlri FLAG] [-ipv4_filter_multicast_nlri FLAG] [-ipv4_mpls_nlri FLAG] [-ipv4_capability_mpls_nlri FLAG] [-ipv4_filter_mpls_nlri FLAG] [-ipv4_mpls_vpn_nlri FLAG] [-ipv4_capability_mpls_vpn_nlri FLAG] [-ipv4_filter_mpls_vpn_nlri FLAG] [-ipv6_unicast_nlri FLAG] [-ipv6_capability_unicast_nlri FLAG] [-ipv6_filter_unicast_nlri FLAG] [-ipv6_multicast_nlri FLAG] [-ipv6_capability_multicast_nlri FLAG] [-ipv6_filter_multicast_nlri FLAG] [-ipv6_mpls_nlri FLAG] [-ipv6_capability_mpls_nlri FLAG] [-ipv6_filter_mpls_nlri FLAG] [-ipv6_mpls_vpn_nlri FLAG] [-ipv6_capability_mpls_vpn_nlri FLAG] [-ipv6_filter_mpls_vpn_nlri FLAG] x [-capability_route_refresh CHOICES 0 1] x [-capability_route_constraint CHOICES 0 1] x [-local_loopback_ip_addr IP] x [-local_loopback_ip_prefix_length NUMERIC] x [-local_loopback_ip_addr_step IP] x [-remote_loopback_ip_addr IP] x [-remote_loopback_ip_addr_step IP] x [-ttl_value NUMERIC] x [-updates_per_iteration RANGE 0-10000000] x [-bfd_registration CHOICES 0 1 x DEFAULT 0] x [-bfd_registration_mode CHOICES single_hop multi_hop x DEFAULT multi_hop] n [-override_existence_check ANY] n [-override_tracking ANY] n [-no_write ANY] n [-vpls ANY] [-vpls_nlri FLAG] [-vpls_capability_nlri FLAG] [-vpls_filter_nlri FLAG] n [-advertise_host_route ANY] n [-modify_outgoing_as_path ANY] n [-remote_confederation_member ANY] n [-reset ANY] n [-route_refresh ANY] n [-routes_per_msg ANY] n [-suppress_notify ANY] n [-timeout ANY] n [-update_msg_size ANY] n [-vlan_cfi ANY] x [-act_as_restarted CHOICES 0 1 x DEFAULT 0] x [-discard_ixia_generated_routes CHOICES 0 1 x DEFAULT 0] x [-local_router_id_type CHOICES same new x DEFAULT new] x [-send_ixia_signature_with_routes CHOICES 0 1 x DEFAULT 0] x [-enable_flap CHOICES 0 1 x DEFAULT 0] x [-flap_up_time ANY] x [-flap_down_time ANY] x [-ipv4_multicast_vpn_nlri FLAG] x [-ipv4_capability_multicast_vpn_nlri FLAG] x [-ipv4_filter_multicast_vpn_nlri FLAG] x [-ipv6_multicast_vpn_nlri FLAG] x [-ipv6_capability_multicast_vpn_nlri FLAG] x [-ipv6_filter_multicast_vpn_nlri FLAG] x [-filter_ipv4_multicast_bgp_mpls_vpn FLAG] x [-filter_ipv6_multicast_bgp_mpls_vpn FLAG] x [-ipv4_multicast_bgp_mpls_vpn FLAG] x [-ipv6_multicast_bgp_mpls_vpn FLAG] x [-advertise_end_of_rib CHOICES 0 1 x DEFAULT 0] x [-configure_keepalive_timer CHOICES 0 1 x DEFAULT 0] [-keepalive_timer RANGE 0-65535 DEFAULT 30] [-staggered_start_enable FLAG] [-staggered_start_time RANGE 0-10000000] x [-start_rate_enable CHOICES 0 1] x [-start_rate_interval NUMERIC] x [-start_rate NUMERIC] x [-start_rate_scale_mode CHOICES deviceGroup port] x [-stop_rate_enable CHOICES 0 1] x [-stop_rate_interval ANY] x [-stop_rate ANY] x [-stop_rate_scale_mode CHOICES deviceGroup port] [-active_connect_enable FLAG] x [-disable_received_update_validation CHOICES 0 1] x [-enable_ad_vpls_prefix_length CHOICES 0 1] x [-ibgp_tester_as_four_bytes NUMERIC] x [-ibgp_tester_as_two_bytes NUMERIC] x [-initiate_ebgp_active_connection CHOICES 0 1] x [-initiate_ibgp_active_connection CHOICES 0 1] x [-session_retry_delay_time NUMERIC] x [-enable_bgp_fast_failover_on_link_down CHOICES 0 1] x [-mldp_p2mp_fec_type HEX] x [-request_vpn_label_exchange_over_lsp CHOICES 0 1] x [-trigger_vpls_pw_initiation CHOICES 0 1] x [-as_path_set_mode CHOICES include_as_seq x CHOICES include_as_seq_conf x CHOICES include_as_set x CHOICES include_as_set_conf x CHOICES no_include x CHOICES prepend_as x DEFAULT no_include] x [-router_id IPV4] x [-router_id_step IPV4] x [-filter_link_state FLAG] x [-capability_linkstate_nonvpn CHOICES 0 1] x [-bgp_ls_id RANGE 0-65256525 x DEFAULT 0] x [-instance_id NUMERIC x DEFAULT 0] x [-number_of_communities RANGE 0-32 x DEFAULT 1] x [-enable_community CHOICES 0 1] x [-community_type CHOICES no_export x CHOICES no_advertised x CHOICES noexport_subconfed x CHOICES manual x DEFAULT no_export] x [-community_as_number RANGE 0-65535 x DEFAULT 0] x [-community_last_two_octets RANGE 0-65535 x DEFAULT 0]
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_config.py_part1
x [-local_loopback_ip_addr IP] x [-local_loopback_ip_prefix_length NUMERIC] x [-local_loopback_ip_addr_step IP] x [-remote_loopback_ip_addr IP] x [-remote_loopback_ip_addr_step IP] x [-ttl_value NUMERIC] x [-updates_per_iteration RANGE 0-10000000] x [-bfd_registration CHOICES 0 1 x DEFAULT 0] x [-bfd_registration_mode CHOICES single_hop multi_hop x DEFAULT multi_hop] n [-override_existence_check ANY] n [-override_tracking ANY] n [-no_write ANY] n [-vpls ANY] [-vpls_nlri FLAG] [-vpls_capability_nlri FLAG] [-vpls_filter_nlri FLAG] n [-advertise_host_route ANY] n [-modify_outgoing_as_path ANY] n [-remote_confederation_member ANY] n [-reset ANY] n [-route_refresh ANY] n [-routes_per_msg ANY] n [-suppress_notify ANY] n [-timeout ANY] n [-update_msg_size ANY] n [-vlan_cfi ANY] x [-act_as_restarted CHOICES 0 1 x DEFAULT 0] x [-discard_ixia_generated_routes CHOICES 0 1 x DEFAULT 0] x [-local_router_id_type CHOICES same new x DEFAULT new] x [-send_ixia_signature_with_routes CHOICES 0 1 x DEFAULT 0] x [-enable_flap CHOICES 0 1 x DEFAULT 0] x [-flap_up_time ANY] x [-flap_down_time ANY] x [-ipv4_multicast_vpn_nlri FLAG] x [-ipv4_capability_multicast_vpn_nlri FLAG] x [-ipv4_filter_multicast_vpn_nlri FLAG] x [-ipv6_multicast_vpn_nlri FLAG] x [-ipv6_capability_multicast_vpn_nlri FLAG] x [-ipv6_filter_multicast_vpn_nlri FLAG] x [-filter_ipv4_multicast_bgp_mpls_vpn FLAG] x [-filter_ipv6_multicast_bgp_mpls_vpn FLAG] x [-ipv4_multicast_bgp_mpls_vpn FLAG] x [-ipv6_multicast_bgp_mpls_vpn FLAG] x [-advertise_end_of_rib CHOICES 0 1 x DEFAULT 0] x [-configure_keepalive_timer CHOICES 0 1 x DEFAULT 0] [-keepalive_timer RANGE 0-65535 DEFAULT 30] [-staggered_start_enable FLAG] [-staggered_start_time RANGE 0-10000000] x [-start_rate_enable CHOICES 0 1] x [-start_rate_interval NUMERIC] x [-start_rate NUMERIC] x [-start_rate_scale_mode CHOICES deviceGroup port] x [-stop_rate_enable CHOICES 0 1] x [-stop_rate_interval ANY] x [-stop_rate ANY] x [-stop_rate_scale_mode CHOICES deviceGroup port] [-active_connect_enable FLAG] x [-disable_received_update_validation CHOICES 0 1] x [-enable_ad_vpls_prefix_length CHOICES 0 1] x [-ibgp_tester_as_four_bytes NUMERIC] x [-ibgp_tester_as_two_bytes NUMERIC] x [-initiate_ebgp_active_connection CHOICES 0 1] x [-initiate_ibgp_active_connection CHOICES 0 1] x [-session_retry_delay_time NUMERIC] x [-enable_bgp_fast_failover_on_link_down CHOICES 0 1] x [-mldp_p2mp_fec_type HEX] x [-request_vpn_label_exchange_over_lsp CHOICES 0 1] x [-trigger_vpls_pw_initiation CHOICES 0 1] x [-as_path_set_mode CHOICES include_as_seq x CHOICES include_as_seq_conf x CHOICES include_as_set x CHOICES include_as_set_conf x CHOICES no_include x CHOICES prepend_as x DEFAULT no_include] x [-router_id IPV4] x [-router_id_step IPV4] x [-filter_link_state FLAG] x [-capability_linkstate_nonvpn CHOICES 0 1] x [-bgp_ls_id RANGE 0-65256525 x DEFAULT 0] x [-instance_id NUMERIC x DEFAULT 0] x [-number_of_communities RANGE 0-32 x DEFAULT 1] x [-enable_community CHOICES 0 1] x [-community_type CHOICES no_export x CHOICES no_advertised x CHOICES noexport_subconfed x CHOICES manual x DEFAULT no_export] x [-community_as_number RANGE 0-65535 x DEFAULT 0] x [-community_last_two_octets RANGE 0-65535 x DEFAULT 0] x [-number_of_ext_communities RANGE 0-32 x DEFAULT 1] x [-enable_ext_community CHOICES 0 1] x [-ext_communities_type CHOICES admin_as_two_octet x CHOICES admin_ip x CHOICES admin_as_four_octet x CHOICES opaque x CHOICES evpn] x [-ext_communities_subtype CHOICES route_target x CHOICES origin x CHOICES extended_bandwidth x CHOICES color x CHOICES encapsulation x CHOICES mac_address] x [-ext_community_as_number RANGE 0-65535 x DEFAULT 1] x [-ext_community_target_assigned_number_4_octets NUMERIC x DEFAULT 1] x [-ext_community_as_4_bytes NUMERIC x DEFAULT 1] x [-ext_community_target_assigned_number_2_octets NUMERIC x DEFAULT 1] x [-ext_community_ip IP] x [-ext_community_opaque_data HEX] x [-enable_override_peer_as_set_mode CHOICES 0 1] x [-bgp_ls_as_set_mode CHOICES include_as_seq x CHOICES include_as_seq_conf x CHOICES include_as_set x CHOICES include_as_set_conf x CHOICES no_include x CHOICES prepend_as x DEFAULT no_include] x [-number_of_as_path_segments RANGE 0-32 x DEFAULT 1] x [-enable_as_path_segments CHOICES 0 1] x [-enable_as_path_segment CHOICES 0 1] x [-number_of_as_number_in_segment RANGE 0-50 x DEFAULT 1] x [-as_path_segment_type CHOICES as_set x CHOICES as_seq x CHOICES as_set_confederation x CHOICES as_seq_confederation x DEFAULT as_set] x [-as_path_segment_enable_as_number CHOICES 0 1] x [-as_path_segment_as_number NUMERIC x DEFAULT 1] x [-number_of_clusters RANGE 0-32 x DEFAULT 1] x [-enable_cluster CHOICES 0 1] x [-cluster_id IP] x [-active_ethernet_segment CHOICES 0 1 x DEFAULT 1] x [-esi_type CHOICES type0 x CHOICES type1 x CHOICES type2 x CHOICES type3 x CHOICES type4 x CHOICES type5] x [-esi_value ANY] x [-b_mac_prefix MAC] x [-b_mac_prefix_length NUMERIC] x [-use_same_sequence_number CHOICES 0 1] x [-include_mac_mobility_extended_community CHOICES 0 1] x [-enable_sticky_static_flag CHOICES 0 1] x [-support_multihomed_es_auto_discovery CHOICES 0 1] x [-auto_configure_es_import CHOICES 0 1] x [-es_import MAC] x [-df_election_timer NUMERIC] x [-support_fast_convergence CHOICES 0 1] x [-enable_single_active CHOICES 0 1] x [-esi_label NUMERIC] x [-advertise_aliasing_automatically CHOICES 0 1] x [-advertise_aliasing_before_AdPerEsRoute CHOICES 0 1] x [-aliasing_route_granularity CHOICES tag evi] x [-advertise_inclusive_multicast_route CHOICES 0 1] x [-evis_count NUMERIC] x [-enable_next_hop CHOICES 0 1] x [-set_next_hop CHOICES manually sameaslocalip] x [-set_next_hop_ip_type CHOICES ipv4 ipv6] x [-ipv4_next_hop IPV4] x [-ipv6_next_hop IPV6] x [-enable_origin CHOICES 0 1] x [-origin CHOICES igp egp incomplete] x [-enable_local_preference CHOICES 0 1] x [-local_preference NUMERIC] x [-enable_multi_exit_discriminator CHOICES 0 1] x [-multi_exit_discriminator NUMERIC] x [-enable_atomic_aggregate CHOICES 0 1] x [-enable_aggregator_id CHOICES 0 1] x [-aggregator_id IPV4] x [-aggregator_as NUMERIC] x [-enable_originator_id CHOICES 0 1] x [-originator_id IPV4] x [-no_of_clusters NUMERIC] x [-use_control_word CHOICES 0 1] x [-vtep_ipv4_address IPV4] x [-vtep_ipv6_address IPV6] x [-routers_mac_address MAC] x [-ethernet_segment_name ALPHA] x [-ethernet_segments_count NUMERIC] x [-filter_evpn FLAG] x [-evpn FLAG] x [-operational_model CHOICES symmetric asymmetric] x [-routers_mac_or_irb_mac_address ANY]
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_config.py_part2
x DEFAULT 0] x [-number_of_ext_communities RANGE 0-32 x DEFAULT 1] x [-enable_ext_community CHOICES 0 1] x [-ext_communities_type CHOICES admin_as_two_octet x CHOICES admin_ip x CHOICES admin_as_four_octet x CHOICES opaque x CHOICES evpn] x [-ext_communities_subtype CHOICES route_target x CHOICES origin x CHOICES extended_bandwidth x CHOICES color x CHOICES encapsulation x CHOICES mac_address] x [-ext_community_as_number RANGE 0-65535 x DEFAULT 1] x [-ext_community_target_assigned_number_4_octets NUMERIC x DEFAULT 1] x [-ext_community_as_4_bytes NUMERIC x DEFAULT 1] x [-ext_community_target_assigned_number_2_octets NUMERIC x DEFAULT 1] x [-ext_community_ip IP] x [-ext_community_opaque_data HEX] x [-enable_override_peer_as_set_mode CHOICES 0 1] x [-bgp_ls_as_set_mode CHOICES include_as_seq x CHOICES include_as_seq_conf x CHOICES include_as_set x CHOICES include_as_set_conf x CHOICES no_include x CHOICES prepend_as x DEFAULT no_include] x [-number_of_as_path_segments RANGE 0-32 x DEFAULT 1] x [-enable_as_path_segments CHOICES 0 1] x [-enable_as_path_segment CHOICES 0 1] x [-number_of_as_number_in_segment RANGE 0-50 x DEFAULT 1] x [-as_path_segment_type CHOICES as_set x CHOICES as_seq x CHOICES as_set_confederation x CHOICES as_seq_confederation x DEFAULT as_set] x [-as_path_segment_enable_as_number CHOICES 0 1] x [-as_path_segment_as_number NUMERIC x DEFAULT 1] x [-number_of_clusters RANGE 0-32 x DEFAULT 1] x [-enable_cluster CHOICES 0 1] x [-cluster_id IP] x [-active_ethernet_segment CHOICES 0 1 x DEFAULT 1] x [-esi_type CHOICES type0 x CHOICES type1 x CHOICES type2 x CHOICES type3 x CHOICES type4 x CHOICES type5] x [-esi_value ANY] x [-b_mac_prefix MAC] x [-b_mac_prefix_length NUMERIC] x [-use_same_sequence_number CHOICES 0 1] x [-include_mac_mobility_extended_community CHOICES 0 1] x [-enable_sticky_static_flag CHOICES 0 1] x [-support_multihomed_es_auto_discovery CHOICES 0 1] x [-auto_configure_es_import CHOICES 0 1] x [-es_import MAC] x [-df_election_timer NUMERIC] x [-support_fast_convergence CHOICES 0 1] x [-enable_single_active CHOICES 0 1] x [-esi_label NUMERIC] x [-advertise_aliasing_automatically CHOICES 0 1] x [-advertise_aliasing_before_AdPerEsRoute CHOICES 0 1] x [-aliasing_route_granularity CHOICES tag evi] x [-advertise_inclusive_multicast_route CHOICES 0 1] x [-evis_count NUMERIC] x [-enable_next_hop CHOICES 0 1] x [-set_next_hop CHOICES manually sameaslocalip] x [-set_next_hop_ip_type CHOICES ipv4 ipv6] x [-ipv4_next_hop IPV4] x [-ipv6_next_hop IPV6] x [-enable_origin CHOICES 0 1] x [-origin CHOICES igp egp incomplete] x [-enable_local_preference CHOICES 0 1] x [-local_preference NUMERIC] x [-enable_multi_exit_discriminator CHOICES 0 1] x [-multi_exit_discriminator NUMERIC] x [-enable_atomic_aggregate CHOICES 0 1] x [-enable_aggregator_id CHOICES 0 1] x [-aggregator_id IPV4] x [-aggregator_as NUMERIC] x [-enable_originator_id CHOICES 0 1] x [-originator_id IPV4] x [-no_of_clusters NUMERIC] x [-use_control_word CHOICES 0 1] x [-vtep_ipv4_address IPV4] x [-vtep_ipv6_address IPV6] x [-routers_mac_address MAC] x [-ethernet_segment_name ALPHA] x [-ethernet_segments_count NUMERIC] x [-filter_evpn FLAG] x [-evpn FLAG] x [-operational_model CHOICES symmetric asymmetric] x [-routers_mac_or_irb_mac_address ANY] x [-ip_type CHOICES ipv4 ipv6] x [-ip_address IP] x [-ipv6_address IP] x [-enable_b_mac_mapped_ip CHOICES 0 1 x DEFAULT 1] x [-no_of_b_mac_mapped_ips NUMERIC] x [-capability_ipv4_unicast_add_path CHOICES 0 1] x [-capability_ipv6_unicast_add_path CHOICES 0 1] x [-capability_ipv4_mpls_vpn_add_path ANY] x [-capability_ipv6_mpls_vpn_add_path ANY] x [-capability_ipv6_next_hop_encoding CHOICES 0 1] x [-ipv4_mpls_add_path_mode CHOICES receiveonly sendonly both] x [-ipv6_mpls_add_path_mode CHOICES receiveonly sendonly both] x [-ipv4_mpls_vpn_add_path_mode CHOICES receiveonly sendonly both] x [-ipv6_mpls_vpn_add_path_mode CHOICES receiveonly sendonly both] x [-ipv4_unicast_add_path_mode CHOICES receiveonly sendonly both] x [-ipv6_unicast_add_path_mode CHOICES receiveonly sendonly both] x [-ipv4_mpls_capability CHOICES 0 1] x [-ipv6_mpls_capability CHOICES 0 1] x [-capability_ipv4_mpls_add_path CHOICES 0 1] x [-capability_ipv6_mpls_add_path CHOICES 0 1] x [-custom_sid_type NUMERIC] x [-srgb_count RANGE 1-5 x DEFAULT 1] x [-start_sid RANGE 1-1048575 x DEFAULT 16000] x [-sid_count RANGE 1-1048575 x DEFAULT 8000] x [-ipv4_multiple_mpls_labels_capability CHOICES 0 1] x [-ipv6_multiple_mpls_labels_capability CHOICES 0 1] x [-mpls_labels_count_for_ipv4_mpls_route RANGE 1-255 x DEFAULT 1] x [-mpls_labels_count_for_ipv6_mpls_route RANGE 1-255 x DEFAULT 1] x [-noOfUserDefinedAfiSafi RANGE 0-1000 x DEFAULT 0] x [-afiSafi_active CHOICES 0 1 x DEFAULT 1] x [-afiValue NUMERIC] x [-safiValue NUMERIC] x [-lengthOfData NUMERIC] x [-dataValue HEX] x [-ipv4_unicast_flowSpec_nlri FLAG] x [-capability_ipv4_unicast_flowSpec FLAG] x [-filter_ipv4_unicast_flowSpec FLAG] x [-ipv6_unicast_flowSpec_nlri FLAG] x [-capability_ipv6_unicast_flowSpec FLAG] x [-filter_ipv6_unicast_flowSpec FLAG] x [-always_include_tunnel_enc_ext_community ANY] x [-ip_vrf_to_ip_vrf_type CHOICES interfacefullWithCorefacingIRB x CHOICES interfacefullWithUnnumberedCorefacingIRB x CHOICES interfaceLess] x [-irb_interface_label ANY] x [-irb_ipv4_address ANY] x [-irb_ipv6_address ANY] x [-ipv4_srte_policy_nlri FLAG] x [-capability_ipv4_srte_policy FLAG] x [-filter_ipv4_srte_policy FLAG] x [-ipv6_srte_policy_nlri FLAG] x [-capability_ipv6_srte_policy FLAG] x [-filter_ipv6_srte_policy FLAG] x [-max_bgp_message_length_tx ANY] x [-capability_extended_message ANY] x [-enable_srv6_data_plane CHOICES 0 1] x [-enable_reduced_encapsulation CHOICES 0 1] x [-copy_ttl CHOICES 0 1] x [-srv6_ttl NUMERIC] x [-max_sid_per_srh NUMERIC] x [-auto_gen_segment_left_value CHOICES 0 1] x [-segment_left_value NUMERIC] x [-use_static_policy CHOICES 0 1] x [-advertise_srv6_sid CHOICES 0 1] x [-srv6_sid_loc IPV6] x [-srv6_sid_loc_len NUMERIC] x [-adv_srv6_sid_in_igp CHOICES 0 1] x [-srv6_sid_loc_metric NUMERIC] x [-srv6_sid_reserved HEX] x [-srv6_sid_flags HEX] x [-srv6_sid_reserved1 HEX] x [-srv6_endpoint_behavior HEX] x [-srv6_sid_reserved2 HEX] x [-send_srv6_sid_optional_info CHOICES 0 1] x [-srv6_sid_optional_information HEX] x [-advertise_srv6_esi_filtering_sid ANY] x [-srv6_sid IPV6] x [-srte_policy_safi NUMERIC] x [-srte_policy_attr_type NUMERIC] x [-srte_policy_type NUMERIC]
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_config.py_part3
x [-ip_type CHOICES ipv4 ipv6] x [-ip_address IP] x [-ipv6_address IP] x [-enable_b_mac_mapped_ip CHOICES 0 1 x DEFAULT 1] x [-no_of_b_mac_mapped_ips NUMERIC] x [-capability_ipv4_unicast_add_path CHOICES 0 1] x [-capability_ipv6_unicast_add_path CHOICES 0 1] x [-capability_ipv4_mpls_vpn_add_path ANY] x [-capability_ipv6_mpls_vpn_add_path ANY] x [-capability_ipv6_next_hop_encoding CHOICES 0 1] x [-ipv4_mpls_add_path_mode CHOICES receiveonly sendonly both] x [-ipv6_mpls_add_path_mode CHOICES receiveonly sendonly both] x [-ipv4_mpls_vpn_add_path_mode CHOICES receiveonly sendonly both] x [-ipv6_mpls_vpn_add_path_mode CHOICES receiveonly sendonly both] x [-ipv4_unicast_add_path_mode CHOICES receiveonly sendonly both] x [-ipv6_unicast_add_path_mode CHOICES receiveonly sendonly both] x [-ipv4_mpls_capability CHOICES 0 1] x [-ipv6_mpls_capability CHOICES 0 1] x [-capability_ipv4_mpls_add_path CHOICES 0 1] x [-capability_ipv6_mpls_add_path CHOICES 0 1] x [-custom_sid_type NUMERIC] x [-srgb_count RANGE 1-5 x DEFAULT 1] x [-start_sid RANGE 1-1048575 x DEFAULT 16000] x [-sid_count RANGE 1-1048575 x DEFAULT 8000] x [-ipv4_multiple_mpls_labels_capability CHOICES 0 1] x [-ipv6_multiple_mpls_labels_capability CHOICES 0 1] x [-mpls_labels_count_for_ipv4_mpls_route RANGE 1-255 x DEFAULT 1] x [-mpls_labels_count_for_ipv6_mpls_route RANGE 1-255 x DEFAULT 1] x [-noOfUserDefinedAfiSafi RANGE 0-1000 x DEFAULT 0] x [-afiSafi_active CHOICES 0 1 x DEFAULT 1] x [-afiValue NUMERIC] x [-safiValue NUMERIC] x [-lengthOfData NUMERIC] x [-dataValue HEX] x [-ipv4_unicast_flowSpec_nlri FLAG] x [-capability_ipv4_unicast_flowSpec FLAG] x [-filter_ipv4_unicast_flowSpec FLAG] x [-ipv6_unicast_flowSpec_nlri FLAG] x [-capability_ipv6_unicast_flowSpec FLAG] x [-filter_ipv6_unicast_flowSpec FLAG] x [-always_include_tunnel_enc_ext_community ANY] x [-ip_vrf_to_ip_vrf_type CHOICES interfacefullWithCorefacingIRB x CHOICES interfacefullWithUnnumberedCorefacingIRB x CHOICES interfaceLess] x [-irb_interface_label ANY] x [-irb_ipv4_address ANY] x [-irb_ipv6_address ANY] x [-ipv4_srte_policy_nlri FLAG] x [-capability_ipv4_srte_policy FLAG] x [-filter_ipv4_srte_policy FLAG] x [-ipv6_srte_policy_nlri FLAG] x [-capability_ipv6_srte_policy FLAG] x [-filter_ipv6_srte_policy FLAG] x [-max_bgp_message_length_tx ANY] x [-capability_extended_message ANY] x [-enable_srv6_data_plane CHOICES 0 1] x [-enable_reduced_encapsulation CHOICES 0 1] x [-copy_ttl CHOICES 0 1] x [-srv6_ttl NUMERIC] x [-max_sid_per_srh NUMERIC] x [-auto_gen_segment_left_value CHOICES 0 1] x [-segment_left_value NUMERIC] x [-use_static_policy CHOICES 0 1] x [-advertise_srv6_sid CHOICES 0 1] x [-srv6_sid_loc IPV6] x [-srv6_sid_loc_len NUMERIC] x [-adv_srv6_sid_in_igp CHOICES 0 1] x [-srv6_sid_loc_metric NUMERIC] x [-srv6_sid_reserved HEX] x [-srv6_sid_flags HEX] x [-srv6_sid_reserved1 HEX] x [-srv6_endpoint_behavior HEX] x [-srv6_sid_reserved2 HEX] x [-send_srv6_sid_optional_info CHOICES 0 1] x [-srv6_sid_optional_information HEX] x [-advertise_srv6_esi_filtering_sid ANY] x [-srv6_sid IPV6] x [-srte_policy_safi NUMERIC] x [-srte_policy_attr_type NUMERIC] x [-srte_policy_type NUMERIC] x [-srte_remote_endpoint_type NUMERIC] x [-srte_color_type NUMERIC] x [-srte_preference_type NUMERIC] x [-srte_binding_type NUMERIC] x [-srte_segment_list_type NUMERIC] x [-srte_weight_type NUMERIC] x [-srte_mplsSID_type NUMERIC] x [-srte_ipv6SID_type NUMERIC] x [-srte_ipv4_node_address_type NUMERIC] x [-srte_ipv6_node_address_type NUMERIC] x [-srte_ipv4_node_address_index_type NUMERIC] x [-srte_ipv4_local_remote_address NUMERIC] x [-srte_ipv6_node_address_index_type NUMERIC] x [-srte_ipv6_local_remote_address NUMERIC] x [-srte_include_length CHOICES 0 1] x [-srte_length_unit CHOICES bits bytes x DEFAULT bits] x [-prefix_sid_attr_type RANGE 0-255 x DEFAULT 40] x [-srv6_vpn_sid_tlv_type RANGE 0-255 x DEFAULT 4] x [-vpn_sid_type RANGE 0-255 x DEFAULT 1] x [-srv6_draft_num CHOICES version04 version_ietf_01] x [-evpn_sid_type RANGE 0-255 x DEFAULT 2] x [-l3vpn_encapsulation_type CHOICES mpls mplsoverudp mplsovergre] x [-advertise_tunnel_encapsulation_extended_community CHOICES 0 1] x [-udp_port_start_value RANGE 49152-65535 x DEFAULT 49152] x [-udp_port_end_value RANGE 49152-65535 x DEFAULT 65535] x [-number_color_flex_algo_mapping RANGE 0-255 x DEFAULT 0] x [-bgp_color_flexAlgo_mapping_enable CHOICES 0 1 x DEFAULT 1] x [-color NUMERIC] x [-flex_algo NUMERIC] Arguments: -mode This option defines the action to be taken on the BGP server. x -active x Activates the item x -md5_enable x If set to 1, enables MD5 authentication for emulated x BGP node. x -md5_key x The key used for md5 authentication. -port_handle The port on which the BGP neighbor is to be created. -handle BGP handle used for -mode modify/disable/delete. When -handle is provided with the /globals value the arguments that configure global protocol setting accept both multivalue handles and simple values. When -handle is provided with a a protocol stack handle or a protocol session handle, the arguments that configure global settings will only accept simple values. In this situation, these arguments will configure only the settings of the parent device group or the ports associated with the parent topology. x -return_detailed_handles x This argument determines if individual interface, session or router handles are returned by the current command. x This applies only to the command on which it is specified. x Setting this to 0 means that only NGPF-specific protocol stack handles will be returned. This will significantly x decrease the size of command results and speed up script execution. x The default is 0, meaning only protocol stack handles will be returned. -ip_version This option defines the IP version of the BGP4 neighbor to be configured on the Ixia interface. -local_ip_addr The IPv4 address of the Ixia simulated BGP node to be emulated. -gateway_ip_addr The gateway IPV4 or IPV6 address of the BGP4 neighbor interface. If this parameter is not provided it will be initialized to the remote_ip_addr value. -remote_ip_addr The IPv4 address of the DUTs interface connected to the emulated BGP port. x -bgp_unnumbered x This option is used to support BGP Unnumbered feature. When enabled, local IPv6 x will be link-local IP of the interface. -local_ipv6_addr The IPv6 address of the BGP node to be emulated by the test port. x -gateway_as_remote_ipv6_addr x This option is used to auto configure DUT IP. When enabled, DUT IP will be taken from x interface gateway IP. -remote_ipv6_addr The IPv6 address of the DUT interface connected to emulated BGP node. This parameter is mandatory when -mode is create, -ip_version is 6 and parameter -neighbor_type is external, or -neighbor_type is internal and ipv4_mpls_nlri, ipv6_mpls_nlri, ipv4_mpls_vpn_nlri, and ipv6_mpls_vpn_nlri are not enabled. -local_addr_step Defines the mask and increment step for the next -local_ip_addr or "-local_ipv6_addr". -remote_addr_step Defines the mask and increment step for the next -remote_ip_addr or "-remote_ipv6_addr". -next_hop_enable This option is used for IPv4 traffic, and enables the use of the BGP NEXT_HOP attributes.When enabled, the IP next hop must be configured (using the -next_hop_ip option). -next_hop_ip Defines the IP of the next hop.This option is used if the flag -next_hop_enable is set. x -enable_4_byte_as x Allow 4 byte values for -local_as. -local_as The AS number of the BGP node to be emulated by the test port. x -local_as4 x The 4 bytes AS number of the BGP node to be emulated by the test port. -local_as_mode For External BGP type only. This option controls the AS number (local_as) assigned to additional routers. n -remote_as n This argument defined by Cisco is not supported for NGPF implementation.
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_config.py_part4
x [-srte_remote_endpoint_type NUMERIC] x [-srte_color_type NUMERIC] x [-srte_preference_type NUMERIC] x [-srte_binding_type NUMERIC] x [-srte_segment_list_type NUMERIC] x [-srte_weight_type NUMERIC] x [-srte_mplsSID_type NUMERIC] x [-srte_ipv6SID_type NUMERIC] x [-srte_ipv4_node_address_type NUMERIC] x [-srte_ipv6_node_address_type NUMERIC] x [-srte_ipv4_node_address_index_type NUMERIC] x [-srte_ipv4_local_remote_address NUMERIC] x [-srte_ipv6_node_address_index_type NUMERIC] x [-srte_ipv6_local_remote_address NUMERIC] x [-srte_include_length CHOICES 0 1] x [-srte_length_unit CHOICES bits bytes x DEFAULT bits] x [-prefix_sid_attr_type RANGE 0-255 x DEFAULT 40] x [-srv6_vpn_sid_tlv_type RANGE 0-255 x DEFAULT 4] x [-vpn_sid_type RANGE 0-255 x DEFAULT 1] x [-srv6_draft_num CHOICES version04 version_ietf_01] x [-evpn_sid_type RANGE 0-255 x DEFAULT 2] x [-l3vpn_encapsulation_type CHOICES mpls mplsoverudp mplsovergre] x [-advertise_tunnel_encapsulation_extended_community CHOICES 0 1] x [-udp_port_start_value RANGE 49152-65535 x DEFAULT 49152] x [-udp_port_end_value RANGE 49152-65535 x DEFAULT 65535] x [-number_color_flex_algo_mapping RANGE 0-255 x DEFAULT 0] x [-bgp_color_flexAlgo_mapping_enable CHOICES 0 1 x DEFAULT 1] x [-color NUMERIC] x [-flex_algo NUMERIC] Arguments: -mode This option defines the action to be taken on the BGP server. x -active x Activates the item x -md5_enable x If set to 1, enables MD5 authentication for emulated x BGP node. x -md5_key x The key used for md5 authentication. -port_handle The port on which the BGP neighbor is to be created. -handle BGP handle used for -mode modify/disable/delete. When -handle is provided with the /globals value the arguments that configure global protocol setting accept both multivalue handles and simple values. When -handle is provided with a a protocol stack handle or a protocol session handle, the arguments that configure global settings will only accept simple values. In this situation, these arguments will configure only the settings of the parent device group or the ports associated with the parent topology. x -return_detailed_handles x This argument determines if individual interface, session or router handles are returned by the current command. x This applies only to the command on which it is specified. x Setting this to 0 means that only NGPF-specific protocol stack handles will be returned. This will significantly x decrease the size of command results and speed up script execution. x The default is 0, meaning only protocol stack handles will be returned. -ip_version This option defines the IP version of the BGP4 neighbor to be configured on the Ixia interface. -local_ip_addr The IPv4 address of the Ixia simulated BGP node to be emulated. -gateway_ip_addr The gateway IPV4 or IPV6 address of the BGP4 neighbor interface. If this parameter is not provided it will be initialized to the remote_ip_addr value. -remote_ip_addr The IPv4 address of the DUTs interface connected to the emulated BGP port. x -bgp_unnumbered x This option is used to support BGP Unnumbered feature. When enabled, local IPv6 x will be link-local IP of the interface. -local_ipv6_addr The IPv6 address of the BGP node to be emulated by the test port. x -gateway_as_remote_ipv6_addr x This option is used to auto configure DUT IP. When enabled, DUT IP will be taken from x interface gateway IP. -remote_ipv6_addr The IPv6 address of the DUT interface connected to emulated BGP node. This parameter is mandatory when -mode is create, -ip_version is 6 and parameter -neighbor_type is external, or -neighbor_type is internal and ipv4_mpls_nlri, ipv6_mpls_nlri, ipv4_mpls_vpn_nlri, and ipv6_mpls_vpn_nlri are not enabled. -local_addr_step Defines the mask and increment step for the next -local_ip_addr or "-local_ipv6_addr". -remote_addr_step Defines the mask and increment step for the next -remote_ip_addr or "-remote_ipv6_addr". -next_hop_enable This option is used for IPv4 traffic, and enables the use of the BGP NEXT_HOP attributes.When enabled, the IP next hop must be configured (using the -next_hop_ip option). -next_hop_ip Defines the IP of the next hop.This option is used if the flag -next_hop_enable is set. x -enable_4_byte_as x Allow 4 byte values for -local_as. -local_as The AS number of the BGP node to be emulated by the test port. x -local_as4 x The 4 bytes AS number of the BGP node to be emulated by the test port. -local_as_mode For External BGP type only. This option controls the AS number (local_as) assigned to additional routers. n -remote_as n This argument defined by Cisco is not supported for NGPF implementation. -local_as_step If you configure more then 1 eBGP neighbor on the Ixia interface, and if you select the option local_as_mode to increment, the option local_as_step defines the step by which the AS number is incremented. -update_interval The time intervals at which UPDATE messages are sent to the DUT, expressed in the number of milliseconds between UPDATE messages. -count Number of BGP nodes to create. -local_router_id BGP4 router ID of the emulated node, must be in IPv4 format. x -local_router_id_step x BGP4 router ID step of the emulated node, must be in IPv4 format. x -vlan x Enables vlan on the directly connected BGP router interface. x Valid options are: 0 - disable, 1 - enable. x This option is valid only when -mode is create or -mode is modify x and -handle is a BGP router handle. x This option is available only when IxNetwork tcl API is used. -vlan_id VLAN ID for the emulated router node. -vlan_id_mode For multiple neighbor configuration, configurest the VLAN ID mode. -vlan_id_step Defines the step for every VLAN When -vlan_id_mode is set to increment. When vlan_id_step causes the vlan_id value to exceed it's maximum value the increment will be done modulo <number of possible vlan ids>. Examples: vlan_id = 4094; vlan_id_step = 2-> new vlan_id value = 0 vlan_id = 4095; vlan_id_step = 11 -> new vlan_id value = 10 x -vlan_user_priority x The VLAN user priority assigned to emulated router node. n -vpi n This argument defined by Cisco is not supported for NGPF implementation. n -vci n This argument defined by Cisco is not supported for NGPF implementation. n -vpi_step n This argument defined by Cisco is not supported for NGPF implementation. n -vci_step n This argument defined by Cisco is not supported for NGPF implementation. n -atm_encapsulation n This argument defined by Cisco is not supported for NGPF implementation. x -interface_handle x This parameter is valid only for IxTclNetwork API and represents a x list of interfaces previously created using interface_config or x another emulation_<protocol>_config command that returns the interface x handles (for example: BFD). x <p> Starting with IxNetwork 5.60 this parameter accepts handles returned by x emulation_dhcp_group_config procedure in the following format: x <DHCP Group Handle>|<interface index X>,<interface index Y>-<interface index Z>, ... x The DHCP ranges are separated from the Interface Index identifiers with the (|) character. x The Interface Index identifiers are separated with comas (,). x A range of Interface Index identifiers can be defined using the dash (-) character. </p> x <p> Ranges along with the Interface Index identifiers are grouped together in TCL Lists. The x lists can contain mixed items, protocol interface handles returned by interface_config x and handles returned by emulation_dhcp_group_config along with the interface index. </p> x <p> Example: x count 10 (10 BGP neighbors). 3 DHCP range handles returned by ::ixia::emulation_dhcp_group_config. x Each DHCP range has 20 sessions (interfaces). If we pass a -interface_handle x in the following format: [list $dhcp_r1|1,5 $dhcp_r2|1-3 $dhcp_r3|1,3,5-9,13] x The interfaces will be distributed to the routers in the following manner: </p> x <ol> x BGP Neighbor 1: $dhcp_r1 -> interface 1 </p> x <li> BGP Neighbor 2: $dhcp_r1 -> interface 5 </li> x <li> BGP Neighbor 3: $dhcp_r2 -> interface 1 </li> x <li> BGP Neighbor 4: $dhcp_r2 -> interface 2 </li> x <li> BGP Neighbor 5: $dhcp_r2 -> interface 3 </li> x <li> BGP Neighbor 6: $dhcp_r3 -> interface 1 </li> x <li> BGP Neighbor 7: $dhcp_r3 -> interface 3 </li> x <li> BGP Neighbor 8: $dhcp_r3 -> interface 5 </li> x <li> BGP Neighbor 9: $dhcp_r3 -> interface 6 </li> x <li> BGP Neighbor 10: $dhcp_r3 -> interface 7 </li> x <li> BGP Neighbor 11: $dhcp_r3 -> interface 8 </li> x <li> BGP Neighbor 12: $dhcp_r3 -> interface 9 </li> x <li> BGP Neighbor 13 $dhcp_r3 -> interface 13 </li> x </ol> x <p> Starting with IxNetwork 6.30SP1 this parameter accepts handles returned by x interface_config procedure with -l23_config_type static_type setting in the following format: x <IP Range Handle>|<interface index X>,<interface index Y>-<interface index Z>, ... x The IP ranges are separated from the Interface Index identifiers with the (|) character. x The Interface Index identifiers are separated with comas (,). x A range of Interface Index identifiers can be defined using the dash (-) character. </p> x <p> Ranges along with the Interface Index identifiers are grouped together in TCL Lists. The x lists can contain mixed items, protocol interface handles returned by interface_config x with -l23_config_type protocol_interface and with -l23_config_type static_type. </p> x <p> Example: x count 10 (10 BGP neighbors). 3 IP range handles returned by ::ixia::interface_config. x Each IP range has 20 sessions (interfaces). If we pass a -interface_handle x in the following format: [list $ip_r1|1,5 $ip_r2|1-3 $ip_r3|1,3,5-9,13] x The interfaces will be distributed to the routers in the following manner: </p> x <ol>
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_config.py_part5
n This argument defined by Cisco is not supported for NGPF implementation. -local_as_step If you configure more then 1 eBGP neighbor on the Ixia interface, and if you select the option local_as_mode to increment, the option local_as_step defines the step by which the AS number is incremented. -update_interval The time intervals at which UPDATE messages are sent to the DUT, expressed in the number of milliseconds between UPDATE messages. -count Number of BGP nodes to create. -local_router_id BGP4 router ID of the emulated node, must be in IPv4 format. x -local_router_id_step x BGP4 router ID step of the emulated node, must be in IPv4 format. x -vlan x Enables vlan on the directly connected BGP router interface. x Valid options are: 0 - disable, 1 - enable. x This option is valid only when -mode is create or -mode is modify x and -handle is a BGP router handle. x This option is available only when IxNetwork tcl API is used. -vlan_id VLAN ID for the emulated router node. -vlan_id_mode For multiple neighbor configuration, configurest the VLAN ID mode. -vlan_id_step Defines the step for every VLAN When -vlan_id_mode is set to increment. When vlan_id_step causes the vlan_id value to exceed it's maximum value the increment will be done modulo <number of possible vlan ids>. Examples: vlan_id = 4094; vlan_id_step = 2-> new vlan_id value = 0 vlan_id = 4095; vlan_id_step = 11 -> new vlan_id value = 10 x -vlan_user_priority x The VLAN user priority assigned to emulated router node. n -vpi n This argument defined by Cisco is not supported for NGPF implementation. n -vci n This argument defined by Cisco is not supported for NGPF implementation. n -vpi_step n This argument defined by Cisco is not supported for NGPF implementation. n -vci_step n This argument defined by Cisco is not supported for NGPF implementation. n -atm_encapsulation n This argument defined by Cisco is not supported for NGPF implementation. x -interface_handle x This parameter is valid only for IxTclNetwork API and represents a x list of interfaces previously created using interface_config or x another emulation_<protocol>_config command that returns the interface x handles (for example: BFD). x <p> Starting with IxNetwork 5.60 this parameter accepts handles returned by x emulation_dhcp_group_config procedure in the following format: x <DHCP Group Handle>|<interface index X>,<interface index Y>-<interface index Z>, ... x The DHCP ranges are separated from the Interface Index identifiers with the (|) character. x The Interface Index identifiers are separated with comas (,). x A range of Interface Index identifiers can be defined using the dash (-) character. </p> x <p> Ranges along with the Interface Index identifiers are grouped together in TCL Lists. The x lists can contain mixed items, protocol interface handles returned by interface_config x and handles returned by emulation_dhcp_group_config along with the interface index. </p> x <p> Example: x count 10 (10 BGP neighbors). 3 DHCP range handles returned by ::ixia::emulation_dhcp_group_config. x Each DHCP range has 20 sessions (interfaces). If we pass a -interface_handle x in the following format: [list $dhcp_r1|1,5 $dhcp_r2|1-3 $dhcp_r3|1,3,5-9,13] x The interfaces will be distributed to the routers in the following manner: </p> x <ol> x BGP Neighbor 1: $dhcp_r1 -> interface 1 </p> x <li> BGP Neighbor 2: $dhcp_r1 -> interface 5 </li> x <li> BGP Neighbor 3: $dhcp_r2 -> interface 1 </li> x <li> BGP Neighbor 4: $dhcp_r2 -> interface 2 </li> x <li> BGP Neighbor 5: $dhcp_r2 -> interface 3 </li> x <li> BGP Neighbor 6: $dhcp_r3 -> interface 1 </li> x <li> BGP Neighbor 7: $dhcp_r3 -> interface 3 </li> x <li> BGP Neighbor 8: $dhcp_r3 -> interface 5 </li> x <li> BGP Neighbor 9: $dhcp_r3 -> interface 6 </li> x <li> BGP Neighbor 10: $dhcp_r3 -> interface 7 </li> x <li> BGP Neighbor 11: $dhcp_r3 -> interface 8 </li> x <li> BGP Neighbor 12: $dhcp_r3 -> interface 9 </li> x <li> BGP Neighbor 13 $dhcp_r3 -> interface 13 </li> x </ol> x <p> Starting with IxNetwork 6.30SP1 this parameter accepts handles returned by x interface_config procedure with -l23_config_type static_type setting in the following format: x <IP Range Handle>|<interface index X>,<interface index Y>-<interface index Z>, ... x The IP ranges are separated from the Interface Index identifiers with the (|) character. x The Interface Index identifiers are separated with comas (,). x A range of Interface Index identifiers can be defined using the dash (-) character. </p> x <p> Ranges along with the Interface Index identifiers are grouped together in TCL Lists. The x lists can contain mixed items, protocol interface handles returned by interface_config x with -l23_config_type protocol_interface and with -l23_config_type static_type. </p> x <p> Example: x count 10 (10 BGP neighbors). 3 IP range handles returned by ::ixia::interface_config. x Each IP range has 20 sessions (interfaces). If we pass a -interface_handle x in the following format: [list $ip_r1|1,5 $ip_r2|1-3 $ip_r3|1,3,5-9,13] x The interfaces will be distributed to the routers in the following manner: </p> x <ol> x <li> BGP Neighbor 1: $ip_r1 -> interface 1 </li> x <li> BGP Neighbor 2: $ip_r1 -> interface 5 </li> x <li> BGP Neighbor 3: $ip_r2 -> interface 1 </li> x <li> BGP Neighbor 4: $ip_r2 -> interface 2 </li> x <li> BGP Neighbor 5: $ip_r2 -> interface 3 </li> x <li> BGP Neighbor 6: $ip_r3 -> interface 1 </li> x <li> BGP Neighbor 7: $ip_r3 -> interface 3 </li> x <li> BGP Neighbor 8: $ip_r3 -> interface 5 </li> x <li> BGP Neighbor 9: $ip_r3 -> interface 6 </li> x <li> BGP Neighbor 10: $ip_r3 -> interface 7 </li> x <li> BGP Neighbor 11: $ip_r3 -> interface 8 </li> x <li> BGP Neighbor 12: $ip_r3 -> interface 9 </li> x <li> BGP Neighbor 13 $ip_r3 -> interface 13 </li> x </ol> x <p> Valid for mode create for IxTclNetwork only. </p> n -retry_time n This argument defined by Cisco is not supported for NGPF implementation. -hold_time Configures the hold time for BGP sessions for this Neighbor. Keepalives are sent out every one-third of this interval.If the default value is 90, KeepAlive messages are sent every 30 seconds. -neighbor_type Sets the BGP neighbor type. -graceful_restart_enable Will enable graceful restart (HA) on the BGP4 neighbor. -restart_time If -graceful_restart_enable is set, sets the amount of time following a restart operation allowed to re-establish a BGP session, in seconds. -stale_time If -graceful_restart_enable is set, sets the amount of time after which an End-Of-RIB marker is sent in an Update message to the peer to allow time for routing convergence via IGP and BGP selection, in seconds.Stale routing information for that address family is then deleted by the receiving peer. -tcp_window_size For External BGP neighbor only.The TCP window used for communications from the neighbor. n -retries n This argument defined by Cisco is not supported for NGPF implementation. -local_router_id_enable Enables the BGP4 local router id option. -netmask Netmask represents ipv4_prefix_length / ipv6_prefix_length for Protocol Interface. It is used in case Protocols Interface and BGP is configured from same BGP command without configure IP addresses in interface_config. -mac_address_start Initial MAC address of the interfaces created for the BGP4 neighbor. x -mac_address_step x The incrementing step for thr MAC address of the dirrectly connected x interfaces created for the BGP4 neighbor. x This option is valid only when IxTclNetwork API is used. x -ipv4_mdt_nlri x If checked, this BGP/BGP+ router/peer supports IPv4 MDT address family messages. x -ipv4_capability_mdt_nlri x If checked, this BGP/BGP+ router/peer supports IPv4 MDT address family messages. -ipv4_unicast_nlri If used, support for IPv4 Unicast is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv4_capability_unicast_nlri If used, support for IPv4 Unicast is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv4_filter_unicast_nlri If used, support for IPv4 Unicast is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv4_multicast_nlri If used, support for IPv4 Multicast is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv4_capability_multicast_nlri If used, support for IPv4 Multicast is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv4_filter_multicast_nlri If used, support for IPv4 Multicast is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv4_mpls_nlri If used, support for IPv4 MPLS is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv4_capability_mpls_nlri If used, support for IPv4 MPLS is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv4_filter_mpls_nlri If used, support for IPv4 MPLS is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv4_mpls_vpn_nlri If used, support for IPv4 MPLS VPN is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv4_capability_mpls_vpn_nlri If used, support for IPv4 MPLS VPN is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes.
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_config.py_part6
x <li> BGP Neighbor 1: $ip_r1 -> interface 1 </li> x <li> BGP Neighbor 2: $ip_r1 -> interface 5 </li> x <li> BGP Neighbor 3: $ip_r2 -> interface 1 </li> x <li> BGP Neighbor 4: $ip_r2 -> interface 2 </li> x <li> BGP Neighbor 5: $ip_r2 -> interface 3 </li> x <li> BGP Neighbor 6: $ip_r3 -> interface 1 </li> x <li> BGP Neighbor 7: $ip_r3 -> interface 3 </li> x <li> BGP Neighbor 8: $ip_r3 -> interface 5 </li> x <li> BGP Neighbor 9: $ip_r3 -> interface 6 </li> x <li> BGP Neighbor 10: $ip_r3 -> interface 7 </li> x <li> BGP Neighbor 11: $ip_r3 -> interface 8 </li> x <li> BGP Neighbor 12: $ip_r3 -> interface 9 </li> x <li> BGP Neighbor 13 $ip_r3 -> interface 13 </li> x </ol> x <p> Valid for mode create for IxTclNetwork only. </p> n -retry_time n This argument defined by Cisco is not supported for NGPF implementation. -hold_time Configures the hold time for BGP sessions for this Neighbor. Keepalives are sent out every one-third of this interval.If the default value is 90, KeepAlive messages are sent every 30 seconds. -neighbor_type Sets the BGP neighbor type. -graceful_restart_enable Will enable graceful restart (HA) on the BGP4 neighbor. -restart_time If -graceful_restart_enable is set, sets the amount of time following a restart operation allowed to re-establish a BGP session, in seconds. -stale_time If -graceful_restart_enable is set, sets the amount of time after which an End-Of-RIB marker is sent in an Update message to the peer to allow time for routing convergence via IGP and BGP selection, in seconds.Stale routing information for that address family is then deleted by the receiving peer. -tcp_window_size For External BGP neighbor only.The TCP window used for communications from the neighbor. n -retries n This argument defined by Cisco is not supported for NGPF implementation. -local_router_id_enable Enables the BGP4 local router id option. -netmask Netmask represents ipv4_prefix_length / ipv6_prefix_length for Protocol Interface. It is used in case Protocols Interface and BGP is configured from same BGP command without configure IP addresses in interface_config. -mac_address_start Initial MAC address of the interfaces created for the BGP4 neighbor. x -mac_address_step x The incrementing step for thr MAC address of the dirrectly connected x interfaces created for the BGP4 neighbor. x This option is valid only when IxTclNetwork API is used. x -ipv4_mdt_nlri x If checked, this BGP/BGP+ router/peer supports IPv4 MDT address family messages. x -ipv4_capability_mdt_nlri x If checked, this BGP/BGP+ router/peer supports IPv4 MDT address family messages. -ipv4_unicast_nlri If used, support for IPv4 Unicast is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv4_capability_unicast_nlri If used, support for IPv4 Unicast is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv4_filter_unicast_nlri If used, support for IPv4 Unicast is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv4_multicast_nlri If used, support for IPv4 Multicast is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv4_capability_multicast_nlri If used, support for IPv4 Multicast is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv4_filter_multicast_nlri If used, support for IPv4 Multicast is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv4_mpls_nlri If used, support for IPv4 MPLS is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv4_capability_mpls_nlri If used, support for IPv4 MPLS is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv4_filter_mpls_nlri If used, support for IPv4 MPLS is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv4_mpls_vpn_nlri If used, support for IPv4 MPLS VPN is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv4_capability_mpls_vpn_nlri If used, support for IPv4 MPLS VPN is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv4_filter_mpls_vpn_nlri If used, support for IPv4 MPLS VPN is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv6_unicast_nlri If used, support for IPv6 Unicast is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv6_capability_unicast_nlri If used, support for IPv6 Unicast is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv6_filter_unicast_nlri If used, support for IPv6 Unicast is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv6_multicast_nlri If used, support for IPv6 Multicast is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv6_capability_multicast_nlri If used, support for IPv6 Multicast is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv6_filter_multicast_nlri If used, support for IPv6 Multicast is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv6_mpls_nlri If used, support for IPv6 MPLS is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv6_capability_mpls_nlri If used, support for IPv6 MPLS is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv6_filter_mpls_nlri If used, support for IPv6 MPLS is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv6_mpls_vpn_nlri If used, support for IPv6 MPLS VPN is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv6_capability_mpls_vpn_nlri If used, support for IPv6 MPLS VPN is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv6_filter_mpls_vpn_nlri If used, support for IPv6 MPLS VPN is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. x -capability_route_refresh x Route Refresh x -capability_route_constraint x Route Constraint x -local_loopback_ip_addr x Required when the -ipv4_mpls_vpn_nlri option is used. x -local_loopback_ip_prefix_length x Prefix length for local_loopback_ip_addr. x -local_loopback_ip_addr_step x Required when the -ipv4_mpls_vpn_nlri option is used. x -remote_loopback_ip_addr x Required when the -ipv4_mpls_vpn_nlri option is used. x This parameter is mandatory when -mode is create, and x parameter -neighbor_type is internal and x and ipv4_mpls_nlri, ipv6_mpls_nlri, ipv4_mpls_vpn_nlri, and x ipv6_mpls_vpn_nlri are enabled. x -remote_loopback_ip_addr_step x Required when the -ipv4_mpls_vpn_nlri option is used. x -ttl_value x This attribute represents the limited number of iterations that a unit of data can experience x before the data is discarded. x -updates_per_iteration x When the protocol server operates on older ports that do not possess x a local processor, this tuning parameter controls how many UPDATE x messages are sent at a time. When many routers are being simulated on x such a port, changing this value may help to increase or decrease x performance. x -bfd_registration x Enable or disable BFD registration. x -bfd_registration_mode x Set BFD registration mode to single hop or multi hop. n -override_existence_check n This argument defined by Cisco is not supported for NGPF implementation. n -override_tracking n This argument defined by Cisco is not supported for NGPF implementation. n -no_write n This argument defined by Cisco is not supported for NGPF implementation. n -vpls n This argument defined by Cisco is not supported for NGPF implementation. -vpls_nlri This BGP/BGP+ router/peer supports BGP/BGP+ VPLS per the Kompella draft. This will enable the L2 Sites. If present, means VPLS capabilities are enabled. -vpls_capability_nlri This BGP/BGP+ router/peer supports BGP/BGP+ VPLS per the Kompella draft. This will enable the L2 Sites. If present, means VPLS capabilities are enabled. -vpls_filter_nlri This BGP/BGP+ router/peer supports BGP/BGP+ VPLS per the Kompella draft. This will enable the L2 Sites. If present, means VPLS capabilities are enabled. n -advertise_host_route n This argument defined by Cisco is not supported for NGPF implementation. n -modify_outgoing_as_path
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_config.py_part7
-ipv4_filter_mpls_vpn_nlri If used, support for IPv4 MPLS VPN is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv6_unicast_nlri If used, support for IPv6 Unicast is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv6_capability_unicast_nlri If used, support for IPv6 Unicast is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv6_filter_unicast_nlri If used, support for IPv6 Unicast is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv6_multicast_nlri If used, support for IPv6 Multicast is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv6_capability_multicast_nlri If used, support for IPv6 Multicast is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv6_filter_multicast_nlri If used, support for IPv6 Multicast is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv6_mpls_nlri If used, support for IPv6 MPLS is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv6_capability_mpls_nlri If used, support for IPv6 MPLS is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv6_filter_mpls_nlri If used, support for IPv6 MPLS is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv6_mpls_vpn_nlri If used, support for IPv6 MPLS VPN is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv6_capability_mpls_vpn_nlri If used, support for IPv6 MPLS VPN is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. -ipv6_filter_mpls_vpn_nlri If used, support for IPv6 MPLS VPN is advertised in the Capabilities Optional Parameter / Multiprotocol Extensions parameter in the OPEN message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. x -capability_route_refresh x Route Refresh x -capability_route_constraint x Route Constraint x -local_loopback_ip_addr x Required when the -ipv4_mpls_vpn_nlri option is used. x -local_loopback_ip_prefix_length x Prefix length for local_loopback_ip_addr. x -local_loopback_ip_addr_step x Required when the -ipv4_mpls_vpn_nlri option is used. x -remote_loopback_ip_addr x Required when the -ipv4_mpls_vpn_nlri option is used. x This parameter is mandatory when -mode is create, and x parameter -neighbor_type is internal and x and ipv4_mpls_nlri, ipv6_mpls_nlri, ipv4_mpls_vpn_nlri, and x ipv6_mpls_vpn_nlri are enabled. x -remote_loopback_ip_addr_step x Required when the -ipv4_mpls_vpn_nlri option is used. x -ttl_value x This attribute represents the limited number of iterations that a unit of data can experience x before the data is discarded. x -updates_per_iteration x When the protocol server operates on older ports that do not possess x a local processor, this tuning parameter controls how many UPDATE x messages are sent at a time. When many routers are being simulated on x such a port, changing this value may help to increase or decrease x performance. x -bfd_registration x Enable or disable BFD registration. x -bfd_registration_mode x Set BFD registration mode to single hop or multi hop. n -override_existence_check n This argument defined by Cisco is not supported for NGPF implementation. n -override_tracking n This argument defined by Cisco is not supported for NGPF implementation. n -no_write n This argument defined by Cisco is not supported for NGPF implementation. n -vpls n This argument defined by Cisco is not supported for NGPF implementation. -vpls_nlri This BGP/BGP+ router/peer supports BGP/BGP+ VPLS per the Kompella draft. This will enable the L2 Sites. If present, means VPLS capabilities are enabled. -vpls_capability_nlri This BGP/BGP+ router/peer supports BGP/BGP+ VPLS per the Kompella draft. This will enable the L2 Sites. If present, means VPLS capabilities are enabled. -vpls_filter_nlri This BGP/BGP+ router/peer supports BGP/BGP+ VPLS per the Kompella draft. This will enable the L2 Sites. If present, means VPLS capabilities are enabled. n -advertise_host_route n This argument defined by Cisco is not supported for NGPF implementation. n -modify_outgoing_as_path n This argument defined by Cisco is not supported for NGPF implementation. n -remote_confederation_member n This argument defined by Cisco is not supported for NGPF implementation. n -reset n This argument defined by Cisco is not supported for NGPF implementation. n -route_refresh n This argument defined by Cisco is not supported for NGPF implementation. n -routes_per_msg n This argument defined by Cisco is not supported for NGPF implementation. n -suppress_notify n This argument defined by Cisco is not supported for NGPF implementation. n -timeout n This argument defined by Cisco is not supported for NGPF implementation. n -update_msg_size n This argument defined by Cisco is not supported for NGPF implementation. n -vlan_cfi n This argument defined by Cisco is not supported for NGPF implementation. x -act_as_restarted x Act as restarted x -discard_ixia_generated_routes x Discard Ixia Generated Routes x -local_router_id_type x BGP ID Same as Router ID x -send_ixia_signature_with_routes x Send Ixia Signature With Routes x -enable_flap x Flap x -flap_up_time x Uptime in Seconds x -flap_down_time x Downtime in Seconds x -ipv4_multicast_vpn_nlri x IPv4 Multicast VPN x -ipv4_capability_multicast_vpn_nlri x IPv4 Multicast VPN x -ipv4_filter_multicast_vpn_nlri x IPv4 Multicast VPN x -ipv6_multicast_vpn_nlri x IPv6 Multicast VPN x -ipv6_capability_multicast_vpn_nlri x IPv6 Multicast VPN x -ipv6_filter_multicast_vpn_nlri x IPv6 Multicast VPN x -filter_ipv4_multicast_bgp_mpls_vpn x Filter IPv4 Multicast BGP/MPLS VPN x -filter_ipv6_multicast_bgp_mpls_vpn x Filter IPv4 Multicast BGP/MPLS VPN x -ipv4_multicast_bgp_mpls_vpn x IPv4 Multicast BGP/MPLS VPN x -ipv6_multicast_bgp_mpls_vpn x IPv6 Multicast BGP/MPLS VPN x -advertise_end_of_rib x Advertise End-Of-RIB x -configure_keepalive_timer x Configure Keepalive Timer -keepalive_timer Keepalive Timer -staggered_start_enable Enables staggered start of neighbors. -staggered_start_time When the -staggered_start_enable flag is used, this is the duration of the start process in seconds. x -start_rate_enable x Enable bgp globals start rate x -start_rate_interval x Time interval used to calculate the rate for triggering an action (rate = count/interval) x -start_rate x Number of times an action is triggered per time interval x -start_rate_scale_mode x Indicates whether the control is specified per port or per device group x -stop_rate_enable x Enable bgp globals stop rate x -stop_rate_interval x Time interval used to calculate the rate for triggering an action (rate = count/interval) x -stop_rate x Number of times an action is triggered per time interval x -stop_rate_scale_mode x Indicates whether the control is specified per port or per device group -active_connect_enable For External BGP neighbor.If set, a HELLO message is actively sent when BGP testing starts.Otherwise, the port waits for the DUT to send its HELLO message. x -disable_received_update_validation x Disable Received Update Validation (Enabled for High Performance) x -enable_ad_vpls_prefix_length x Enable AD VPLS Prefix Length in Bits x -ibgp_tester_as_four_bytes x Tester 4 Byte AS# for iBGP x -ibgp_tester_as_two_bytes x Tester AS# for iBGP x -initiate_ebgp_active_connection x Initiate eBGP Active Connection x -initiate_ibgp_active_connection x Initiate iBGP Active Connection x -session_retry_delay_time x The time (in Secs) to wait before BGP Active Peer retries session establishment after a connection is closed gracefully. x -enable_bgp_fast_failover_on_link_down x Enable quick termination and reconnect(if active) of the BGP connection instead of Hold Time Expiry when the physical link goes down x -mldp_p2mp_fec_type x MLDP P2MP FEC Type (Hex) x -request_vpn_label_exchange_over_lsp x Request VPN Label Exchange over LSP x -trigger_vpls_pw_initiation x Trigger VPLS PW Initiation x -as_path_set_mode x For External routing only. x Optional setup for the AS-Path. x -router_id x The ID of the router to be emulated. x -router_id_step x The value use to increment the router_id when count > 1. x (DEFAULT = 0.0.0.1) x -filter_link_state x If used, support for Link State is advertised in the Capabilities x Optional Parameter / Multiprotocol Extensions parameter in the OPEN x message and in addition, for IxTclNetwork, also sets the filters for the respective learned Link State x -capability_linkstate_nonvpn x If used, support for Link State is advertised in the Capabilities x Optional Parameter / Multiprotocol Extensions parameter in the OPEN x message and in addition, for IxTclNetwork, also sets the filters for the respective learned Link State x -bgp_ls_id x BGP-LS ID x -instance_id
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_config.py_part8
n -modify_outgoing_as_path n This argument defined by Cisco is not supported for NGPF implementation. n -remote_confederation_member n This argument defined by Cisco is not supported for NGPF implementation. n -reset n This argument defined by Cisco is not supported for NGPF implementation. n -route_refresh n This argument defined by Cisco is not supported for NGPF implementation. n -routes_per_msg n This argument defined by Cisco is not supported for NGPF implementation. n -suppress_notify n This argument defined by Cisco is not supported for NGPF implementation. n -timeout n This argument defined by Cisco is not supported for NGPF implementation. n -update_msg_size n This argument defined by Cisco is not supported for NGPF implementation. n -vlan_cfi n This argument defined by Cisco is not supported for NGPF implementation. x -act_as_restarted x Act as restarted x -discard_ixia_generated_routes x Discard Ixia Generated Routes x -local_router_id_type x BGP ID Same as Router ID x -send_ixia_signature_with_routes x Send Ixia Signature With Routes x -enable_flap x Flap x -flap_up_time x Uptime in Seconds x -flap_down_time x Downtime in Seconds x -ipv4_multicast_vpn_nlri x IPv4 Multicast VPN x -ipv4_capability_multicast_vpn_nlri x IPv4 Multicast VPN x -ipv4_filter_multicast_vpn_nlri x IPv4 Multicast VPN x -ipv6_multicast_vpn_nlri x IPv6 Multicast VPN x -ipv6_capability_multicast_vpn_nlri x IPv6 Multicast VPN x -ipv6_filter_multicast_vpn_nlri x IPv6 Multicast VPN x -filter_ipv4_multicast_bgp_mpls_vpn x Filter IPv4 Multicast BGP/MPLS VPN x -filter_ipv6_multicast_bgp_mpls_vpn x Filter IPv4 Multicast BGP/MPLS VPN x -ipv4_multicast_bgp_mpls_vpn x IPv4 Multicast BGP/MPLS VPN x -ipv6_multicast_bgp_mpls_vpn x IPv6 Multicast BGP/MPLS VPN x -advertise_end_of_rib x Advertise End-Of-RIB x -configure_keepalive_timer x Configure Keepalive Timer -keepalive_timer Keepalive Timer -staggered_start_enable Enables staggered start of neighbors. -staggered_start_time When the -staggered_start_enable flag is used, this is the duration of the start process in seconds. x -start_rate_enable x Enable bgp globals start rate x -start_rate_interval x Time interval used to calculate the rate for triggering an action (rate = count/interval) x -start_rate x Number of times an action is triggered per time interval x -start_rate_scale_mode x Indicates whether the control is specified per port or per device group x -stop_rate_enable x Enable bgp globals stop rate x -stop_rate_interval x Time interval used to calculate the rate for triggering an action (rate = count/interval) x -stop_rate x Number of times an action is triggered per time interval x -stop_rate_scale_mode x Indicates whether the control is specified per port or per device group -active_connect_enable For External BGP neighbor.If set, a HELLO message is actively sent when BGP testing starts.Otherwise, the port waits for the DUT to send its HELLO message. x -disable_received_update_validation x Disable Received Update Validation (Enabled for High Performance) x -enable_ad_vpls_prefix_length x Enable AD VPLS Prefix Length in Bits x -ibgp_tester_as_four_bytes x Tester 4 Byte AS# for iBGP x -ibgp_tester_as_two_bytes x Tester AS# for iBGP x -initiate_ebgp_active_connection x Initiate eBGP Active Connection x -initiate_ibgp_active_connection x Initiate iBGP Active Connection x -session_retry_delay_time x The time (in Secs) to wait before BGP Active Peer retries session establishment after a connection is closed gracefully. x -enable_bgp_fast_failover_on_link_down x Enable quick termination and reconnect(if active) of the BGP connection instead of Hold Time Expiry when the physical link goes down x -mldp_p2mp_fec_type x MLDP P2MP FEC Type (Hex) x -request_vpn_label_exchange_over_lsp x Request VPN Label Exchange over LSP x -trigger_vpls_pw_initiation x Trigger VPLS PW Initiation x -as_path_set_mode x For External routing only. x Optional setup for the AS-Path. x -router_id x The ID of the router to be emulated. x -router_id_step x The value use to increment the router_id when count > 1. x (DEFAULT = 0.0.0.1) x -filter_link_state x If used, support for Link State is advertised in the Capabilities x Optional Parameter / Multiprotocol Extensions parameter in the OPEN x message and in addition, for IxTclNetwork, also sets the filters for the respective learned Link State x -capability_linkstate_nonvpn x If used, support for Link State is advertised in the Capabilities x Optional Parameter / Multiprotocol Extensions parameter in the OPEN x message and in addition, for IxTclNetwork, also sets the filters for the respective learned Link State x -bgp_ls_id x BGP-LS ID x -instance_id x BGP-LS Instance ID x -number_of_communities x Number of Communities x -enable_community x Enable Community x -community_type x BGP L3 Site Target Types x -community_as_number x AS # x -community_last_two_octets x Last Two Octets x -number_of_ext_communities x Number of Extended Communities x -enable_ext_community x Enable Ext Community x -ext_communities_type x Type x -ext_communities_subtype x SubType x -ext_community_as_number x BGP LS Ext Community AS # x -ext_community_target_assigned_number_4_octets x BGP LS Ext Target Assigned Number 4 x -ext_community_as_4_bytes x BGP LS Ext Community AS 4 # x -ext_community_target_assigned_number_2_octets x BGP LS Ext Target Assigned Number 2 x -ext_community_ip x BGP LS Ext IP x -ext_community_opaque_data x Opaque Data (Hex) x -enable_override_peer_as_set_mode x enable_override_peer_as_set_mode x -bgp_ls_as_set_mode x For External routing only. x Optional setup for the AS-Path. x -number_of_as_path_segments x Number of AS Path Segments x -enable_as_path_segments x Enable AS Path Segments x -enable_as_path_segment x Enable AS Path Segment x -number_of_as_number_in_segment x Number of AS Path Segments x -as_path_segment_type x as_path_segment_type x -as_path_segment_enable_as_number x enable as number x -as_path_segment_as_number x AS Path Segment AS Number x -number_of_clusters x Number of Communities x -enable_cluster x Enable cluster x -cluster_id x BGP LS Cluster ID x -active_ethernet_segment x Activates the ethernet segment x -esi_type x ESI Type x -esi_value x ESI Value x -b_mac_prefix x B-MAC Prefix x -b_mac_prefix_length x B-MAC Prefix Length x -use_same_sequence_number x Use B-MAC Same Sequence Number x -include_mac_mobility_extended_community x Include MAC Mobility Extended Community x -enable_sticky_static_flag x Enable B-MAC Sticky/Static Flag x -support_multihomed_es_auto_discovery x Support Multi-homed ES Auto Discovery x -auto_configure_es_import x Auto Configure ES-Import x -es_import x ES Import x -df_election_timer x DF Election Timer(s) x -support_fast_convergence x Support Fast Convergence x -enable_single_active x Enable Single-Active x -esi_label x ESI Label x -advertise_aliasing_automatically x Advertise Aliasing Automatically when the protocol starts x -advertise_aliasing_before_AdPerEsRoute x Advertise Aliasing before AD Per ES Route x -aliasing_route_granularity x Aliasing Route Granularity x -advertise_inclusive_multicast_route x Support Inclusive Multicast Ethernet Tag Route (RT Type 3) x -evis_count x Number of EVIs x -enable_next_hop x Enable Next Hop x -set_next_hop x Set Next Hop x -set_next_hop_ip_type x Set Next Hop IP Type x -ipv4_next_hop x IPv4 Next Hop x -ipv6_next_hop x IPv6 Next Hop x -enable_origin x Enable Origin x -origin x Origin x -enable_local_preference x Enable Local Preference x -local_preference x Local Preference x -enable_multi_exit_discriminator x Enable Multi Exit x -multi_exit_discriminator x Multi Exit x -enable_atomic_aggregate x Enable Atomic Aggregate x -enable_aggregator_id x Enable Aggregator ID x -aggregator_id x Aggregator ID x -aggregator_as x Aggregator AS x -enable_originator_id x Enable Originator ID x -originator_id x Originator ID x -no_of_clusters x Number of Clusters x -use_control_word x Use Control Word x -vtep_ipv4_address x VTEP IP Address x -vtep_ipv6_address x VTEP IP Address x -routers_mac_address x Router's Mac Address x -ethernet_segment_name x Name of NGPF element, guaranteed to be unique in Scenario x -ethernet_segments_count x Number of Ethernet Segments x -filter_evpn x Check box for EVPN filter x -evpn x Check box for EVPN x -operational_model x Operational Model x -routers_mac_or_irb_mac_address x Router's MAC/IRB MAC Address x -ip_type x IP Type x -ip_address x IPv4 Address x -ipv6_address x IPv6 Address x -enable_b_mac_mapped_ip x Activates the ethernet segment x -no_of_b_mac_mapped_ips
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_config.py_part9
x BGP-LS Instance ID x -number_of_communities x Number of Communities x -enable_community x Enable Community x -community_type x BGP L3 Site Target Types x -community_as_number x AS # x -community_last_two_octets x Last Two Octets x -number_of_ext_communities x Number of Extended Communities x -enable_ext_community x Enable Ext Community x -ext_communities_type x Type x -ext_communities_subtype x SubType x -ext_community_as_number x BGP LS Ext Community AS # x -ext_community_target_assigned_number_4_octets x BGP LS Ext Target Assigned Number 4 x -ext_community_as_4_bytes x BGP LS Ext Community AS 4 # x -ext_community_target_assigned_number_2_octets x BGP LS Ext Target Assigned Number 2 x -ext_community_ip x BGP LS Ext IP x -ext_community_opaque_data x Opaque Data (Hex) x -enable_override_peer_as_set_mode x enable_override_peer_as_set_mode x -bgp_ls_as_set_mode x For External routing only. x Optional setup for the AS-Path. x -number_of_as_path_segments x Number of AS Path Segments x -enable_as_path_segments x Enable AS Path Segments x -enable_as_path_segment x Enable AS Path Segment x -number_of_as_number_in_segment x Number of AS Path Segments x -as_path_segment_type x as_path_segment_type x -as_path_segment_enable_as_number x enable as number x -as_path_segment_as_number x AS Path Segment AS Number x -number_of_clusters x Number of Communities x -enable_cluster x Enable cluster x -cluster_id x BGP LS Cluster ID x -active_ethernet_segment x Activates the ethernet segment x -esi_type x ESI Type x -esi_value x ESI Value x -b_mac_prefix x B-MAC Prefix x -b_mac_prefix_length x B-MAC Prefix Length x -use_same_sequence_number x Use B-MAC Same Sequence Number x -include_mac_mobility_extended_community x Include MAC Mobility Extended Community x -enable_sticky_static_flag x Enable B-MAC Sticky/Static Flag x -support_multihomed_es_auto_discovery x Support Multi-homed ES Auto Discovery x -auto_configure_es_import x Auto Configure ES-Import x -es_import x ES Import x -df_election_timer x DF Election Timer(s) x -support_fast_convergence x Support Fast Convergence x -enable_single_active x Enable Single-Active x -esi_label x ESI Label x -advertise_aliasing_automatically x Advertise Aliasing Automatically when the protocol starts x -advertise_aliasing_before_AdPerEsRoute x Advertise Aliasing before AD Per ES Route x -aliasing_route_granularity x Aliasing Route Granularity x -advertise_inclusive_multicast_route x Support Inclusive Multicast Ethernet Tag Route (RT Type 3) x -evis_count x Number of EVIs x -enable_next_hop x Enable Next Hop x -set_next_hop x Set Next Hop x -set_next_hop_ip_type x Set Next Hop IP Type x -ipv4_next_hop x IPv4 Next Hop x -ipv6_next_hop x IPv6 Next Hop x -enable_origin x Enable Origin x -origin x Origin x -enable_local_preference x Enable Local Preference x -local_preference x Local Preference x -enable_multi_exit_discriminator x Enable Multi Exit x -multi_exit_discriminator x Multi Exit x -enable_atomic_aggregate x Enable Atomic Aggregate x -enable_aggregator_id x Enable Aggregator ID x -aggregator_id x Aggregator ID x -aggregator_as x Aggregator AS x -enable_originator_id x Enable Originator ID x -originator_id x Originator ID x -no_of_clusters x Number of Clusters x -use_control_word x Use Control Word x -vtep_ipv4_address x VTEP IP Address x -vtep_ipv6_address x VTEP IP Address x -routers_mac_address x Router's Mac Address x -ethernet_segment_name x Name of NGPF element, guaranteed to be unique in Scenario x -ethernet_segments_count x Number of Ethernet Segments x -filter_evpn x Check box for EVPN filter x -evpn x Check box for EVPN x -operational_model x Operational Model x -routers_mac_or_irb_mac_address x Router's MAC/IRB MAC Address x -ip_type x IP Type x -ip_address x IPv4 Address x -ipv6_address x IPv6 Address x -enable_b_mac_mapped_ip x Activates the ethernet segment x -no_of_b_mac_mapped_ips x Number of B-MAC Mapped IPs x -capability_ipv4_unicast_add_path x Capability Ipv4 Unicast AddPath x -capability_ipv6_unicast_add_path x Capability Ipv6 Unicast AddPath x -capability_ipv4_mpls_vpn_add_path x Capability check box for IPv4 MPLS VPN Add Path x -capability_ipv6_mpls_vpn_add_path x Capability check box for IPv6 MPLS VPN Add Path x -capability_ipv6_next_hop_encoding x Capability Ipv6 Unicast AddPath x -ipv4_mpls_add_path_mode x IPv4 MPLS Add Path Mode x -ipv6_mpls_add_path_mode x IPv6 MPLS Add Path Mode x -ipv4_mpls_vpn_add_path_mode x IPv4 MPLS VPN Add Path Mode x -ipv6_mpls_vpn_add_path_mode x IPv6 MPLS VPN Add Path Mode x -ipv4_unicast_add_path_mode x IPv4 Unicast Add Path Mode x -ipv6_unicast_add_path_mode x IPv6 Unicast Add Path Mode x -ipv4_mpls_capability x Ipv4 Mpls Capability x -ipv6_mpls_capability x Ipv6 Mpls Capability x -capability_ipv4_mpls_add_path x Capability Ipv4 Mpls AddPath x -capability_ipv6_mpls_add_path x Capability Ipv6 Mpls AddPath x -custom_sid_type x Custom SID Type for BGP 3107 x -srgb_count x SRGB Count for BGP 3107 x -start_sid x Start SID for BGP 3107 x -sid_count x SID Count for BGP 3107 x -ipv4_multiple_mpls_labels_capability x IPv4 Multiple MPLS Labels Capability x -ipv6_multiple_mpls_labels_capability x IPv6 Multiple MPLS Labels Capability x -mpls_labels_count_for_ipv4_mpls_route x MPLS Labels Count For IPv4 MPLS Route x -mpls_labels_count_for_ipv6_mpls_route x MPLS Labels Count For IPv6 MPLS Route x -noOfUserDefinedAfiSafi x Number of User Defined Custom AFI-SAFI x -afiSafi_active x Select the Active check box to activate the Custom AFI SAFI. x -afiValue x AFI Value for Custom AFI SAFI. x -safiValue x SAFI Value for Custom AFI SAFI. x -lengthOfData x Length in bytes for Custom AFI SAFI. x -dataValue x Data Value for Custom AFI SAFI. x -ipv4_unicast_flowSpec_nlri x If used, support for IPv4 Unicast FlowSpec is advertised in the Capabilities x Optional Parameter / Multiprotocol Extensions parameter in the OPEN x message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. x -capability_ipv4_unicast_flowSpec x IPv4 Unicast Flow Spec x -filter_ipv4_unicast_flowSpec x Filter IPv4 Unicast Flow Spec x -ipv6_unicast_flowSpec_nlri x If used, support for IPv6 Unicast FlowSpec is advertised in the Capabilities x Optional Parameter / Multiprotocol Extensions parameter in the OPEN x message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. x -capability_ipv6_unicast_flowSpec x IPv6 Unicast Flow Spec x -filter_ipv6_unicast_flowSpec x Filter IPv6 Unicast Flow Spec x -always_include_tunnel_enc_ext_community x Always Include Tunnel Encapsulation Extended Community x -ip_vrf_to_ip_vrf_type x IP-VRF-to-IP-VRF Model Type x -irb_interface_label x Label to be used for Route Type 2 carrying IRB MAC and/or IRB IP in Route Type 2 x -irb_ipv4_address x IRB IPv4 Address x -irb_ipv6_address x IRB IPv6 Address x -ipv4_srte_policy_nlri x If used, support for IPv4 SRTE Policies is advertised in the Capabilities x Optional Parameter / Multiprotocol Extensions parameter in the OPEN x message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. x -capability_ipv4_srte_policy x IPv4 SRTE Policies x -filter_ipv4_srte_policy x Filter IPv4 SRTE Policies x -ipv6_srte_policy_nlri x If used, support for IPv6 SRTE Policies is advertised in the Capabilities x Optional Parameter / Multiprotocol Extensions parameter in the OPEN x message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. x -capability_ipv6_srte_policy x IPv6 SRTE Policies Capabilities x -filter_ipv6_srte_policy x Filter IPv6 SRTE Policies x -max_bgp_message_length_tx x Extended Message Support (RFC8654) x Min: 4096 Bytes, Max: 65535 Bytes. x Supports to transmit all packets upto configured length, x except OPEN and KEEPALIVE whose max length is 4096 Bytes. x -capability_extended_message x Bgp Extended Message Capability (RFC8654) x Capability Type: 6 Length: 0 x Enables a Bgp Peer to accept incoming packets upto 65536B. x -enable_srv6_data_plane
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_config.py_part10
x Number of B-MAC Mapped IPs x -capability_ipv4_unicast_add_path x Capability Ipv4 Unicast AddPath x -capability_ipv6_unicast_add_path x Capability Ipv6 Unicast AddPath x -capability_ipv4_mpls_vpn_add_path x Capability check box for IPv4 MPLS VPN Add Path x -capability_ipv6_mpls_vpn_add_path x Capability check box for IPv6 MPLS VPN Add Path x -capability_ipv6_next_hop_encoding x Capability Ipv6 Unicast AddPath x -ipv4_mpls_add_path_mode x IPv4 MPLS Add Path Mode x -ipv6_mpls_add_path_mode x IPv6 MPLS Add Path Mode x -ipv4_mpls_vpn_add_path_mode x IPv4 MPLS VPN Add Path Mode x -ipv6_mpls_vpn_add_path_mode x IPv6 MPLS VPN Add Path Mode x -ipv4_unicast_add_path_mode x IPv4 Unicast Add Path Mode x -ipv6_unicast_add_path_mode x IPv6 Unicast Add Path Mode x -ipv4_mpls_capability x Ipv4 Mpls Capability x -ipv6_mpls_capability x Ipv6 Mpls Capability x -capability_ipv4_mpls_add_path x Capability Ipv4 Mpls AddPath x -capability_ipv6_mpls_add_path x Capability Ipv6 Mpls AddPath x -custom_sid_type x Custom SID Type for BGP 3107 x -srgb_count x SRGB Count for BGP 3107 x -start_sid x Start SID for BGP 3107 x -sid_count x SID Count for BGP 3107 x -ipv4_multiple_mpls_labels_capability x IPv4 Multiple MPLS Labels Capability x -ipv6_multiple_mpls_labels_capability x IPv6 Multiple MPLS Labels Capability x -mpls_labels_count_for_ipv4_mpls_route x MPLS Labels Count For IPv4 MPLS Route x -mpls_labels_count_for_ipv6_mpls_route x MPLS Labels Count For IPv6 MPLS Route x -noOfUserDefinedAfiSafi x Number of User Defined Custom AFI-SAFI x -afiSafi_active x Select the Active check box to activate the Custom AFI SAFI. x -afiValue x AFI Value for Custom AFI SAFI. x -safiValue x SAFI Value for Custom AFI SAFI. x -lengthOfData x Length in bytes for Custom AFI SAFI. x -dataValue x Data Value for Custom AFI SAFI. x -ipv4_unicast_flowSpec_nlri x If used, support for IPv4 Unicast FlowSpec is advertised in the Capabilities x Optional Parameter / Multiprotocol Extensions parameter in the OPEN x message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. x -capability_ipv4_unicast_flowSpec x IPv4 Unicast Flow Spec x -filter_ipv4_unicast_flowSpec x Filter IPv4 Unicast Flow Spec x -ipv6_unicast_flowSpec_nlri x If used, support for IPv6 Unicast FlowSpec is advertised in the Capabilities x Optional Parameter / Multiprotocol Extensions parameter in the OPEN x message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. x -capability_ipv6_unicast_flowSpec x IPv6 Unicast Flow Spec x -filter_ipv6_unicast_flowSpec x Filter IPv6 Unicast Flow Spec x -always_include_tunnel_enc_ext_community x Always Include Tunnel Encapsulation Extended Community x -ip_vrf_to_ip_vrf_type x IP-VRF-to-IP-VRF Model Type x -irb_interface_label x Label to be used for Route Type 2 carrying IRB MAC and/or IRB IP in Route Type 2 x -irb_ipv4_address x IRB IPv4 Address x -irb_ipv6_address x IRB IPv6 Address x -ipv4_srte_policy_nlri x If used, support for IPv4 SRTE Policies is advertised in the Capabilities x Optional Parameter / Multiprotocol Extensions parameter in the OPEN x message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. x -capability_ipv4_srte_policy x IPv4 SRTE Policies x -filter_ipv4_srte_policy x Filter IPv4 SRTE Policies x -ipv6_srte_policy_nlri x If used, support for IPv6 SRTE Policies is advertised in the Capabilities x Optional Parameter / Multiprotocol Extensions parameter in the OPEN x message and in addition, for IxTclNetwork, also sets the filters for the respective learned routes. x -capability_ipv6_srte_policy x IPv6 SRTE Policies Capabilities x -filter_ipv6_srte_policy x Filter IPv6 SRTE Policies x -max_bgp_message_length_tx x Extended Message Support (RFC8654) x Min: 4096 Bytes, Max: 65535 Bytes. x Supports to transmit all packets upto configured length, x except OPEN and KEEPALIVE whose max length is 4096 Bytes. x -capability_extended_message x Bgp Extended Message Capability (RFC8654) x Capability Type: 6 Length: 0 x Enables a Bgp Peer to accept incoming packets upto 65536B. x -enable_srv6_data_plane x If enabled, Ingress Peer Supports SRv6 VPN. x -enable_reduced_encapsulation x If enabled, Reduced Encapsulation in Data-Plane for SRv6. x -copy_ttl x If eneabled, copy TTL from customer packet to outer IPv6 header. x -srv6_ttl x TTL value to be used in outer IPv6 header. x -max_sid_per_srh x Max number of SIDs a SRH can have. x -auto_gen_segment_left_value x If enabled, then Segment Left field value will be auto generated. x -segment_left_value x Segment Left value to be used in top SRH. This zero index based value start from egress node. x -use_static_policy x If enabled, then SRTE policy will be advertised. x -advertise_srv6_sid x If enabled. then Advertise SRv6 SID. x -srv6_sid_loc x SRv6 Segment Identifier. It consists of Locator, Func and Args. x -srv6_sid_loc_len x SRv6 Segment Identifier Locator Length. x -adv_srv6_sid_in_igp x If enabled, Advertise SRv6 Segment Identifier in IGP. x -srv6_sid_loc_metric x SRv6 Segment Identifier Locator Metric. x -srv6_sid_reserved x SRv6 Segment Identifier Reserved Value (SRv6 SID Service TLV Level). x -srv6_sid_flags x SRv6 Segment Identifier Flags Value. x -srv6_sid_reserved1 x SRv6 Segment Identifier Reserved1 Field for Service Information sub-TLV. x -srv6_endpoint_behavior x SRv6 Endpoint Behavior field Value for all routes in this Route Range. x -srv6_sid_reserved2 x SRv6 SID Reserved2 Field for Service Information sub-TLV. x -send_srv6_sid_optional_info x If enabeld, advertise SRv6 SID Optional Information (Service Information sub-TLV) which is specified in next column(s). x -srv6_sid_optional_information x SRv6 SID Optional Information field Value (Service Information sub-TLV) for all routes in this Route Range. x -advertise_srv6_esi_filtering_sid x If enabled, advertise SRv6 ESI Filtering SID. x -srv6_sid x SRv6 Segment Identifier. x -srte_policy_safi x SR TE Policy SAFI x -srte_policy_attr_type x SR TE Policy Tunnel Encaps Attribute Type x -srte_policy_type x SR TE Policy Tunnel Type for SR Policy x -srte_remote_endpoint_type x SR TE Policy Remote Endpoint Sub-TLV Type x -srte_color_type x SR TE Policy Color Sub-TLV Type x -srte_preference_type x SR TE Policy Preference Sub-TLV Type x -srte_binding_type x SR TE Policy Binding Sub-TLV Type x -srte_segment_list_type x SR TE Policy Segment List Sub-TLV Type x -srte_weight_type x SR TE Policy Weight Sub-TLV Type x -srte_mplsSID_type x SR TE Policy MPLS SID Type x -srte_ipv6SID_type x SR TE Policy IPv6 SID Type x -srte_ipv4_node_address_type x SR TE Policy IPv4 Node Address Type x -srte_ipv6_node_address_type x SR TE Policy IPv6 Node Address Type x -srte_ipv4_node_address_index_type x SR TE Policy IPv4 Node Address and Index Type x -srte_ipv4_local_remote_address x SR TE Policy IPv4 Local and remote address x -srte_ipv6_node_address_index_type x SR TE Policy IPv6 Node Address and Index Type x -srte_ipv6_local_remote_address x SR TE Policy IPv6 Local and remote address x -srte_include_length x Include length Field in SR TE Policy NLRI x -srte_length_unit x Length unit in SR TE Policy NLRI x -prefix_sid_attr_type x Prefix SID Attr Type x -srv6_vpn_sid_tlv_type x SRv6-VPN SID TLV Type x -vpn_sid_type x L3VPN SID Type x -srv6_draft_num x SRv6 VPN Draft Version Number to be used both for L3VPN and EVPN x -evpn_sid_type x EVPN SID Type x -l3vpn_encapsulation_type x L3VPN Traffic Encapsulation x -advertise_tunnel_encapsulation_extended_community x Advertise Tunnel Encapsulation Extended Community x -udp_port_start_value x UDP Port Start Value x -udp_port_end_value x UDP Port End Value x -number_color_flex_algo_mapping x Number of Color/Flex Algo Mapping Entries x -bgp_color_flexAlgo_mapping_enable x Select the Active check box to activate BGP Color/Flex Algo Mapping Template. x -color x Color associated with routes x -flex_algo x Flex Algo mapped with color Return Values: A list containing the lscommunities rtr protocol stack handles that were added by the command (if any). x key:lscommunities_handle_rtr value:A list containing the lscommunities rtr protocol stack handles that were added by the command (if any). A list containing the lsaspath rtr protocol stack handles that were added by the command (if any). x key:lsaspath_handle_rtr value:A list containing the lsaspath rtr protocol stack handles that were added by the command (if any). A list containing the bgp ethernet segment protocol stack handles that were added by the command (if any).
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_config.py_part11
x If enabled, Ingress Peer Supports SRv6 VPN. x -enable_reduced_encapsulation x If enabled, Reduced Encapsulation in Data-Plane for SRv6. x -copy_ttl x If eneabled, copy TTL from customer packet to outer IPv6 header. x -srv6_ttl x TTL value to be used in outer IPv6 header. x -max_sid_per_srh x Max number of SIDs a SRH can have. x -auto_gen_segment_left_value x If enabled, then Segment Left field value will be auto generated. x -segment_left_value x Segment Left value to be used in top SRH. This zero index based value start from egress node. x -use_static_policy x If enabled, then SRTE policy will be advertised. x -advertise_srv6_sid x If enabled. then Advertise SRv6 SID. x -srv6_sid_loc x SRv6 Segment Identifier. It consists of Locator, Func and Args. x -srv6_sid_loc_len x SRv6 Segment Identifier Locator Length. x -adv_srv6_sid_in_igp x If enabled, Advertise SRv6 Segment Identifier in IGP. x -srv6_sid_loc_metric x SRv6 Segment Identifier Locator Metric. x -srv6_sid_reserved x SRv6 Segment Identifier Reserved Value (SRv6 SID Service TLV Level). x -srv6_sid_flags x SRv6 Segment Identifier Flags Value. x -srv6_sid_reserved1 x SRv6 Segment Identifier Reserved1 Field for Service Information sub-TLV. x -srv6_endpoint_behavior x SRv6 Endpoint Behavior field Value for all routes in this Route Range. x -srv6_sid_reserved2 x SRv6 SID Reserved2 Field for Service Information sub-TLV. x -send_srv6_sid_optional_info x If enabeld, advertise SRv6 SID Optional Information (Service Information sub-TLV) which is specified in next column(s). x -srv6_sid_optional_information x SRv6 SID Optional Information field Value (Service Information sub-TLV) for all routes in this Route Range. x -advertise_srv6_esi_filtering_sid x If enabled, advertise SRv6 ESI Filtering SID. x -srv6_sid x SRv6 Segment Identifier. x -srte_policy_safi x SR TE Policy SAFI x -srte_policy_attr_type x SR TE Policy Tunnel Encaps Attribute Type x -srte_policy_type x SR TE Policy Tunnel Type for SR Policy x -srte_remote_endpoint_type x SR TE Policy Remote Endpoint Sub-TLV Type x -srte_color_type x SR TE Policy Color Sub-TLV Type x -srte_preference_type x SR TE Policy Preference Sub-TLV Type x -srte_binding_type x SR TE Policy Binding Sub-TLV Type x -srte_segment_list_type x SR TE Policy Segment List Sub-TLV Type x -srte_weight_type x SR TE Policy Weight Sub-TLV Type x -srte_mplsSID_type x SR TE Policy MPLS SID Type x -srte_ipv6SID_type x SR TE Policy IPv6 SID Type x -srte_ipv4_node_address_type x SR TE Policy IPv4 Node Address Type x -srte_ipv6_node_address_type x SR TE Policy IPv6 Node Address Type x -srte_ipv4_node_address_index_type x SR TE Policy IPv4 Node Address and Index Type x -srte_ipv4_local_remote_address x SR TE Policy IPv4 Local and remote address x -srte_ipv6_node_address_index_type x SR TE Policy IPv6 Node Address and Index Type x -srte_ipv6_local_remote_address x SR TE Policy IPv6 Local and remote address x -srte_include_length x Include length Field in SR TE Policy NLRI x -srte_length_unit x Length unit in SR TE Policy NLRI x -prefix_sid_attr_type x Prefix SID Attr Type x -srv6_vpn_sid_tlv_type x SRv6-VPN SID TLV Type x -vpn_sid_type x L3VPN SID Type x -srv6_draft_num x SRv6 VPN Draft Version Number to be used both for L3VPN and EVPN x -evpn_sid_type x EVPN SID Type x -l3vpn_encapsulation_type x L3VPN Traffic Encapsulation x -advertise_tunnel_encapsulation_extended_community x Advertise Tunnel Encapsulation Extended Community x -udp_port_start_value x UDP Port Start Value x -udp_port_end_value x UDP Port End Value x -number_color_flex_algo_mapping x Number of Color/Flex Algo Mapping Entries x -bgp_color_flexAlgo_mapping_enable x Select the Active check box to activate BGP Color/Flex Algo Mapping Template. x -color x Color associated with routes x -flex_algo x Flex Algo mapped with color Return Values: A list containing the lscommunities rtr protocol stack handles that were added by the command (if any). x key:lscommunities_handle_rtr value:A list containing the lscommunities rtr protocol stack handles that were added by the command (if any). A list containing the lsaspath rtr protocol stack handles that were added by the command (if any). x key:lsaspath_handle_rtr value:A list containing the lsaspath rtr protocol stack handles that were added by the command (if any). A list containing the bgp ethernet segment protocol stack handles that were added by the command (if any). x key:bgp_ethernet_segment_handle value:A list containing the bgp ethernet segment protocol stack handles that were added by the command (if any). A list containing the bgp b mac mapped ip protocol stack handles that were added by the command (if any). x key:bgp_b_mac_mapped_ip_handle value:A list containing the bgp b mac mapped ip protocol stack handles that were added by the command (if any). A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:lscommunities_handles_rtr value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:lsaspath_handles_rtr value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. $::SUCCESS | $::FAILURE key:status value:$::SUCCESS | $::FAILURE When status is $::FAILURE, contains more information key:log value:When status is $::FAILURE, contains more information Handle of bgpipv4peer or bgpipv6peer configured key:bgp_handle value:Handle of bgpipv4peer or bgpipv6peer configured Item Handle of any bgpipv4peer or bgpipv6peer configured Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. key:handles value:Item Handle of any bgpipv4peer or bgpipv6peer configured Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. Examples: Sample Input: Sample Output: {status $::SUCCESS} {bgp_handle /topology:1/deviceGroup:1/ethernet:1/ipv4:1/bgpIpv4Peer:1} {handle {/topology:1/deviceGroup:1/ethernet:1/ipv4:1/bgpIpv4Peer:1/item:1}} Notes: Coded versus functional specification. When -handle is provided with the /globals value the arguments that configure global protocol setting accept both multivalue handles and simple values. When -handle is provided with a a protocol stack handle or a protocol session handle, the arguments that configure global settings will only accept simple values. In this situation, these arguments will configure only the settings of the parent device group or the ports associated with the parent topology. If the current session or command was run with -return_detailed_handles 0 the following keys will be omitted from the command response: handles, lscommunities_handles_rtr, lsaspath_handles_rtr See Also: ''' hlpy_args = locals().copy() hlpy_args.update(kwargs) del hlpy_args['self'] del hlpy_args['kwargs'] not_implemented_params = [] mandatory_params = [] file_params = [] try: return self.__execute_command( 'emulation_bgp_config', not_implemented_params, mandatory_params, file_params, hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_config.py_part12
x key:bgp_ethernet_segment_handle value:A list containing the bgp ethernet segment protocol stack handles that were added by the command (if any). A list containing the bgp b mac mapped ip protocol stack handles that were added by the command (if any). x key:bgp_b_mac_mapped_ip_handle value:A list containing the bgp b mac mapped ip protocol stack handles that were added by the command (if any). A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:lscommunities_handles_rtr value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:lsaspath_handles_rtr value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. $::SUCCESS | $::FAILURE key:status value:$::SUCCESS | $::FAILURE When status is $::FAILURE, contains more information key:log value:When status is $::FAILURE, contains more information Handle of bgpipv4peer or bgpipv6peer configured key:bgp_handle value:Handle of bgpipv4peer or bgpipv6peer configured Item Handle of any bgpipv4peer or bgpipv6peer configured Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. key:handles value:Item Handle of any bgpipv4peer or bgpipv6peer configured Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. Examples: Sample Input: Sample Output: {status $::SUCCESS} {bgp_handle /topology:1/deviceGroup:1/ethernet:1/ipv4:1/bgpIpv4Peer:1} {handle {/topology:1/deviceGroup:1/ethernet:1/ipv4:1/bgpIpv4Peer:1/item:1}} Notes: Coded versus functional specification. When -handle is provided with the /globals value the arguments that configure global protocol setting accept both multivalue handles and simple values. When -handle is provided with a a protocol stack handle or a protocol session handle, the arguments that configure global settings will only accept simple values. In this situation, these arguments will configure only the settings of the parent device group or the ports associated with the parent topology. If the current session or command was run with -return_detailed_handles 0 the following keys will be omitted from the command response: handles, lscommunities_handles_rtr, lsaspath_handles_rtr See Also: ''' hlpy_args = locals().copy() hlpy_args.update(kwargs) del hlpy_args['self'] del hlpy_args['kwargs'] not_implemented_params = [] mandatory_params = [] file_params = [] try: return self.__execute_command( 'emulation_bgp_config', not_implemented_params, mandatory_params, file_params, hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_config.py_part13
# -*- coding: utf-8 -*- import sys from ixiaerror import IxiaError from ixiangpf import IxiaNgpf from ixiautil import PartialClass, make_hltapi_fail class IxiaNgpf(PartialClass, IxiaNgpf): def ptp_globals_config(self, mode, parent_handle, **kwargs): r''' #Procedure Header Name: ptp_globals_config Description: Not supported in ixiangpf namespace. Synopsis: ptp_globals_config -mode CHOICES create add modify delete -parent_handle ANY [-handle ANY] [-style ANY] [-max_outstanding RANGE 1-10000 DEFAULT 20] [-setup_rate RANGE 1-20000 DEFAULT 5] [-teardown_rate RANGE 1-20000 DEFAULT 5] Arguments: -mode Not supported in ixiangpf namespace. -parent_handle Not supported in ixiangpf namespace. -handle Not supported in ixiangpf namespace. -style Not supported in ixiangpf namespace. -max_outstanding Not supported in ixiangpf namespace. -setup_rate Not supported in ixiangpf namespace. -teardown_rate Not supported in ixiangpf namespace. Return Values: Examples: Sample Input: Sample Output: Notes: See Also: External documentation on Tclx keyed lists ''' hlpy_args = locals().copy() hlpy_args.update(kwargs) del hlpy_args['self'] del hlpy_args['kwargs'] not_implemented_params = [] mandatory_params = [] file_params = [] try: return self.__execute_command( 'ptp_globals_config', not_implemented_params, mandatory_params, file_params, hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/ptp_globals_config.py_part1
# -*- coding: utf-8 -*- import sys from ixiaerror import IxiaError from ixiangpf import IxiaNgpf from ixiautil import PartialClass, make_hltapi_fail class IxiaNgpf(PartialClass, IxiaNgpf): def traffic_l47_config(self, mode, **kwargs): r''' #Procedure Header Name: traffic_l47_config Description: This generic procedure configures application flows from a set of predefined application flows. This will create, modify and delete appication flows on top of NGPF End Points. Synopsis: traffic_l47_config x -mode CHOICES create x CHOICES modify x CHOICES delete x CHOICES enable x CHOICES disable x CHOICES get x DEFAULT create x [-stream_id ANY x DEFAULT none] x [-l47_configuration CHOICES modify_profile_parameters x CHOICES modify_flow_percentage x CHOICES modify_flow_parameter x CHOICES modify_flow_connection_parameter x CHOICES override_flows x CHOICES append_flow x CHOICES remove_flow x CHOICES distribute_flows_percentage_evenly x CHOICES get_available_flows] x [-name ANY] x [-circuit_endpoint_type CHOICES ipv4_application_traffic x CHOICES ipv6_application_traffic x DEFAULT ipv4_application_traffic] x [-emulation_src_handle ANY] x [-emulation_dst_handle ANY] x [-emulation_scalable_src_handle ANY] x [-emulation_scalable_src_port_start NUMERIC] x [-emulation_scalable_src_port_count NUMERIC] x [-emulation_scalable_src_intf_start NUMERIC] x [-emulation_scalable_src_intf_count NUMERIC] x [-emulation_scalable_dst_handle ANY] x [-emulation_scalable_dst_port_start NUMERIC] x [-emulation_scalable_dst_port_count NUMERIC] x [-emulation_scalable_dst_intf_start NUMERIC] x [-emulation_scalable_dst_intf_count NUMERIC] x [-objective_type CHOICES users tputkb tputmb tputgb x DEFAULT users] x [-objective_value NUMERIC] x [-objective_distribution CHOICES apply_full_objective_to_each_port x CHOICES split_objective_evenly_among_ports x DEFAULT apply_full_objective_to_each_port] x [-enable_per_ip_stats CHOICES 0 1] x [-flows ANY] x [-flow_percentage ANY] x [-flow_id ANY] x [-connection_id NUMERIC] x [-parameter_id ANY] x [-parameter_option CHOICES value choice range] x [-parameter_value CHOICES numeric x CHOICES bool x CHOICES string x CHOICES hex x CHOICES choice x CHOICES range] Arguments: x -mode x Mode of the procedure call.Valid options are: x create x modify x delete x enable x disable x get x -stream_id x Required for -mode modify/remove/enable/disable/get calls. x Stream ID returned from the traffic_l47_config handles. x Stream ID is not required for configuring a stream for the first time. In this case, the stream ID is returned by the call.. x Valid for Application Library Traffic. x -l47_configuration x Required for -mode modify and -stream_id traffic_item_handler calls x Valid for Application Library Traffic. x -name x Stream string identifier/name. If this name contains spaces, x the spaces will be translated to underscores and a warning x will be displayed. The string name must not contain commas. x -circuit_endpoint_type x This argument can be used to specify the endpoint type that will be x used to generate traffic. x -emulation_src_handle x The handle used to retrieve information for L2 or L3 source addresses and use them to configure the sources for traffic. x This should be the emulation handle that was obtained after configuring NGPF protocols. x This parameter can be provided with a list or with a list of lists elements. x -emulation_dst_handle x The handle used to retrieve information for L2 or L3 source addresses and use them to configure the destinations for traffic. x This should be the emulation handle that was obtained after configuring NGPF protocols. x This parameter can be provided with a list or with a list of lists elements. x -emulation_scalable_src_handle x An array which contains lists of handles used to retrieve information for L3 x src addresses, indexed by the endpointset to which they correspond. x This should be a handle that was obtained after configuring protocols with x commands from the ::ixia_hlapi_framework:: namespace. x This parameter can be used in conjunction with emulation_src_handle. x -emulation_scalable_src_port_start x An array which contains lists of numbers that encode the index of the first x port on which the corresponding endpointset will be configured. x This parameter will be ignored if no corresponding value is specified for x emulation_scalable_src_handle. x -emulation_scalable_src_port_count x An array which contains lists of numbers that encode the number of ports on x which the corresponding endpointset will be configured. x This parameter will be ignored if no corresponding value is specified for x emulation_scalable_src_handle. x -emulation_scalable_src_intf_start x An array which contains lists of numbers that encode the index of the first x interface on which the corresponding endpointset will be configured. x This parameter will be ignored if no corresponding value is specified for x emulation_scalable_src_handle. x -emulation_scalable_src_intf_count x An array which contains lists of numbers that encode the number of interfaces x on which the corresponding endpointset will be configured. x This parameter will be ignored if no corresponding value is specified for x emulation_scalable_src_handle. x -emulation_scalable_dst_handle x An array which contains lists of handles used to retrieve information for L3 x dst addresses, indexed by the endpointset to which they correspond. x This should be a handle that was obtained after configuring protocols with x commands from the ::ixia_hlapi_framework:: namespace. x This parameter can be used in conjunction with emulation_dst_handle. x -emulation_scalable_dst_port_start x An array which contains lists of numbers that encode the index of the first x port on which the corresponding endpointset will be configured. x This parameter will be ignored if no corresponding value is specified for x emulation_scalable_dst_handle. x -emulation_scalable_dst_port_count x An array which contains lists of numbers that encode the number of ports on x which the corresponding endpointset will be configured. x This parameter will be ignored if no corresponding value is specified for x emulation_scalable_dst_handle. x -emulation_scalable_dst_intf_start x An array which contains lists of numbers that encode the index of the first x interface on which the corresponding endpointset will be configured. x This parameter will be ignored if no corresponding value is specified for x emulation_scalable_dst_handle. x -emulation_scalable_dst_intf_count x An array which contains lists of numbers that encode the number of interfaces x on which the corresponding endpointset will be configured. x This parameter will be ignored if no corresponding value is specified for x emulation_scalable_dst_handle. x -objective_type x sets objective type. x -objective_value x sets objective value. x -objective_distribution x sets objective distribution. x -enable_per_ip_stats x enables/disables per IP statistics. x -flows x sets flows to be configured when create a traffic application profile. x -flow_percentage x Amount of traffic to be generated for this flow in percentage. x -flow_id x Name of the Application Library flow ( e.g. HTTP_Request). x -connection_id x Application library flow connection identifier ( e.g. 1). x -parameter_id x Application library flow parameter identifier ( e.g. enableProxyPort). x -parameter_option x Each parameter has one or multiple options. x This options are: value, choice and range. x -parameter_value x For each parameter a value can be assigned. x The parameters are runtime specific and can accommodate the following types: Return Values: $::SUCCESS | $::FAILURE key:status value:$::SUCCESS | $::FAILURE On status of failure, gives detailed information. key:log value:On status of failure, gives detailed information. A list containing the handles of L47 traffic items that were added by the command (if any). This key is returned only when the command is issued with -mode create. x key:traffic_l47_handle value:A list containing the handles of L47 traffic items that were added by the command (if any). This key is returned only when the command is issued with -mode create. This key returns the list of initiator ports configured in the traffic item mentioned by <traffic_l47_handle>. x key:<traffic_l47_handle>.initiator_ports value:This key returns the list of initiator ports configured in the traffic item mentioned by <traffic_l47_handle>. This key returns the list of responder ports configured in the traffic item mentioned by <traffic_l47_handle>. x key:<traffic_l47_handle>.responder_ports value:This key returns the list of responder ports configured in the traffic item mentioned by <traffic_l47_handle>. This key returns the applib handle configured in the traffic item mentioned by <traffic_l47_handle>. x key:<traffic_l47_handle>.applib_profile value:This key returns the applib handle configured in the traffic item mentioned by <traffic_l47_handle>. This key returns the applib flows configured in the traffic item mentioned by <traffic_l47_handle> and the AppLib profile mentioned by the <applib_profile> handle. x key:<traffic_l47_handle>.<applib_profile>.applib_flow value:This key returns the applib flows configured in the traffic item mentioned by <traffic_l47_handle> and the AppLib profile mentioned by the <applib_profile> handle. A list of the available flows. This key is returned only when the command is issued with -mode get. x key:available_flows value:A list of the available flows. This key is returned only when the command is issued with -mode get. Examples: Sample Input: Sample Output: Notes: See Also: ''' hlpy_args = locals().copy() hlpy_args.update(kwargs) del hlpy_args['self'] del hlpy_args['kwargs'] not_implemented_params = [] mandatory_params = [] file_params = [] try: return self.__execute_command( 'traffic_l47_config', not_implemented_params, mandatory_params, file_params, hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/traffic_l47_config.py_part1
x -emulation_scalable_src_intf_count x An array which contains lists of numbers that encode the number of interfaces x on which the corresponding endpointset will be configured. x This parameter will be ignored if no corresponding value is specified for x emulation_scalable_src_handle. x -emulation_scalable_dst_handle x An array which contains lists of handles used to retrieve information for L3 x dst addresses, indexed by the endpointset to which they correspond. x This should be a handle that was obtained after configuring protocols with x commands from the ::ixia_hlapi_framework:: namespace. x This parameter can be used in conjunction with emulation_dst_handle. x -emulation_scalable_dst_port_start x An array which contains lists of numbers that encode the index of the first x port on which the corresponding endpointset will be configured. x This parameter will be ignored if no corresponding value is specified for x emulation_scalable_dst_handle. x -emulation_scalable_dst_port_count x An array which contains lists of numbers that encode the number of ports on x which the corresponding endpointset will be configured. x This parameter will be ignored if no corresponding value is specified for x emulation_scalable_dst_handle. x -emulation_scalable_dst_intf_start x An array which contains lists of numbers that encode the index of the first x interface on which the corresponding endpointset will be configured. x This parameter will be ignored if no corresponding value is specified for x emulation_scalable_dst_handle. x -emulation_scalable_dst_intf_count x An array which contains lists of numbers that encode the number of interfaces x on which the corresponding endpointset will be configured. x This parameter will be ignored if no corresponding value is specified for x emulation_scalable_dst_handle. x -objective_type x sets objective type. x -objective_value x sets objective value. x -objective_distribution x sets objective distribution. x -enable_per_ip_stats x enables/disables per IP statistics. x -flows x sets flows to be configured when create a traffic application profile. x -flow_percentage x Amount of traffic to be generated for this flow in percentage. x -flow_id x Name of the Application Library flow ( e.g. HTTP_Request). x -connection_id x Application library flow connection identifier ( e.g. 1). x -parameter_id x Application library flow parameter identifier ( e.g. enableProxyPort). x -parameter_option x Each parameter has one or multiple options. x This options are: value, choice and range. x -parameter_value x For each parameter a value can be assigned. x The parameters are runtime specific and can accommodate the following types: Return Values: $::SUCCESS | $::FAILURE key:status value:$::SUCCESS | $::FAILURE On status of failure, gives detailed information. key:log value:On status of failure, gives detailed information. A list containing the handles of L47 traffic items that were added by the command (if any). This key is returned only when the command is issued with -mode create. x key:traffic_l47_handle value:A list containing the handles of L47 traffic items that were added by the command (if any). This key is returned only when the command is issued with -mode create. This key returns the list of initiator ports configured in the traffic item mentioned by <traffic_l47_handle>. x key:<traffic_l47_handle>.initiator_ports value:This key returns the list of initiator ports configured in the traffic item mentioned by <traffic_l47_handle>. This key returns the list of responder ports configured in the traffic item mentioned by <traffic_l47_handle>. x key:<traffic_l47_handle>.responder_ports value:This key returns the list of responder ports configured in the traffic item mentioned by <traffic_l47_handle>. This key returns the applib handle configured in the traffic item mentioned by <traffic_l47_handle>. x key:<traffic_l47_handle>.applib_profile value:This key returns the applib handle configured in the traffic item mentioned by <traffic_l47_handle>. This key returns the applib flows configured in the traffic item mentioned by <traffic_l47_handle> and the AppLib profile mentioned by the <applib_profile> handle. x key:<traffic_l47_handle>.<applib_profile>.applib_flow value:This key returns the applib flows configured in the traffic item mentioned by <traffic_l47_handle> and the AppLib profile mentioned by the <applib_profile> handle. A list of the available flows. This key is returned only when the command is issued with -mode get. x key:available_flows value:A list of the available flows. This key is returned only when the command is issued with -mode get. Examples: Sample Input: Sample Output: Notes: See Also: ''' hlpy_args = locals().copy() hlpy_args.update(kwargs) del hlpy_args['self'] del hlpy_args['kwargs'] not_implemented_params = [] mandatory_params = [] file_params = [] try: return self.__execute_command( 'traffic_l47_config', not_implemented_params, mandatory_params, file_params, hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/traffic_l47_config.py_part2
# -*- coding: utf-8 -*- import sys from ixiaerror import IxiaError from ixiangpf import IxiaNgpf from ixiautil import PartialClass, make_hltapi_fail class IxiaNgpf(PartialClass, IxiaNgpf): def emulation_dotonex_config(self, **kwargs): r''' #Procedure Header Name: emulation_dotonex_config Description: This procedure will add Dotonex to a particular Ixia Interface. Synopsis: emulation_dotonex_config x [-port_handle REGEXP ^[0-9]+/[0-9]+/[0-9]+$] x [-reset FLAG] [-handle ANY] x [-return_detailed_handles CHOICES 0 1 x DEFAULT 0] [-mode CHOICES create CHOICES modify CHOICES delete CHOICES getAttribute DEFAULT create] x [-attribute_name CHOICES sessionInfo] [-count RANGE 1-8000 DEFAULT 1] x [-tls_version CHOICES tls1_0 tls1_1 tls1_2] x [-user_name ANY] x [-user_pwd ANY] x [-host_auth_mode CHOICES none x CHOICES hostonly x CHOICES hostuserreauth x CHOICES hostuserboth] x [-host_name ANY] x [-host_pwd ANY] x [-wait_id ANY] x [-fast_provision_mode CHOICES authenticated x CHOICES unauthenticated x CHOICES load_from_file x CHOICES authenticated_save_to_file x CHOICES unauthenticated_save_to_file] x [-fast_inner_method CHOICES mschapv2] x [-runtime_certificate_generation ANY] x [-fast_stateless_resume CHOICES yes no] x [-send_ca_cert_only ANY] x [-certificate_directory ANY] x [-private_key_file ANY] x [-peer_certificate_file ANY] x [-host_key_file ANY] x [-host_certificate_file ANY] x [-verify_peer_certificate ANY] x [-ca_certificate_file ANY] x [-certificate_key_in_same_file ANY] x [-active ANY] x [-dut_test_mode CHOICES singlehost x CHOICES multihost x CHOICES multiauth] x [-machine_auth_prefix ANY] x [-disable_logoff CHOICES 0 1] x [-multicast CHOICES 0 1] x [-identify_using_VLAN CHOICES 0 1] x [-authorized_on_no_response CHOICES 0 1] x [-wait_before_run RANGE 0-500 x DEFAULT 0] x [-certificate_server_url ANY] x [-get_ca_certificate_only ANY] x [-company ANY] x [-department ANY] x [-city ANY] x [-state ANY] x [-country CHOICES ax x CHOICES ad x CHOICES ae x CHOICES af x CHOICES ag x CHOICES ai x CHOICES al x CHOICES am x CHOICES an x CHOICES ao x CHOICES aq x CHOICES ar x CHOICES as x CHOICES at x CHOICES au x CHOICES aw x CHOICES az x CHOICES ba x CHOICES bb x CHOICES bd x CHOICES be x CHOICES bf x CHOICES bg x CHOICES bh x CHOICES bi x CHOICES bj x CHOICES bm x CHOICES bn x CHOICES bo x CHOICES br x CHOICES bs x CHOICES bt x CHOICES bv x CHOICES bw x CHOICES by x CHOICES bz x CHOICES ca x CHOICES cc x CHOICES cf x CHOICES cg x CHOICES cd x CHOICES ch x CHOICES ci x CHOICES ck x CHOICES cl x CHOICES cm x CHOICES cn x CHOICES co x CHOICES cr x CHOICES cs x CHOICES cu x CHOICES cv x CHOICES cx x CHOICES cy x CHOICES cz x CHOICES de x CHOICES dj x CHOICES dk x CHOICES dm x CHOICES do x CHOICES dz x CHOICES ec x CHOICES ee x CHOICES eg x CHOICES eh x CHOICES er x CHOICES es x CHOICES et x CHOICES fi x CHOICES fj x CHOICES fk x CHOICES fm x CHOICES fo x CHOICES fr x CHOICES fx x CHOICES ga x CHOICES gb x CHOICES gd x CHOICES ge x CHOICES gf x CHOICES gg x CHOICES gi x CHOICES gl x CHOICES gm x CHOICES gn x CHOICES gp x CHOICES gq x CHOICES gr x CHOICES gs x CHOICES gt x CHOICES gu x CHOICES gw x CHOICES gy x CHOICES hk x CHOICES hm x CHOICES hn x CHOICES hr x CHOICES ht x CHOICES hu x CHOICES id x CHOICES ie x CHOICES il x CHOICES im x CHOICES in x CHOICES io x CHOICES iq x CHOICES ir x CHOICES is x CHOICES it x CHOICES je x CHOICES jm x CHOICES jo x CHOICES jp x CHOICES ke x CHOICES kg x CHOICES kh x CHOICES ki x CHOICES km x CHOICES kn x CHOICES kp x CHOICES kr x CHOICES kw x CHOICES ky x CHOICES kz x CHOICES la x CHOICES lb x CHOICES lc x CHOICES li x CHOICES lk x CHOICES lr x CHOICES ls x CHOICES lt x CHOICES lu x CHOICES lv x CHOICES ly x CHOICES ma x CHOICES mc x CHOICES md x CHOICES me x CHOICES mg x CHOICES mh x CHOICES mk x CHOICES ml x CHOICES mm x CHOICES mn x CHOICES mo x CHOICES mp x CHOICES mq x CHOICES mr x CHOICES ms x CHOICES mt x CHOICES mu x CHOICES mv x CHOICES mw x CHOICES mx x CHOICES my x CHOICES mz x CHOICES na x CHOICES nc x CHOICES ne x CHOICES nf x CHOICES ng x CHOICES ni x CHOICES nl x CHOICES no x CHOICES np x CHOICES nr x CHOICES nt x CHOICES nu x CHOICES nz x CHOICES om x CHOICES pa x CHOICES pe x CHOICES pf x CHOICES pg x CHOICES ph x CHOICES pk x CHOICES pl x CHOICES pm x CHOICES pn x CHOICES pr x CHOICES ps x CHOICES pt x CHOICES pw x CHOICES py x CHOICES qa x CHOICES re x CHOICES ro x CHOICES rs x CHOICES rw x CHOICES sa x CHOICES sb x CHOICES sc x CHOICES sd x CHOICES se x CHOICES sg x CHOICES sh x CHOICES si x CHOICES sj x CHOICES sk x CHOICES sl x CHOICES sm x CHOICES sn x CHOICES so x CHOICES sr x CHOICES st x CHOICES su x CHOICES sv x CHOICES sy x CHOICES sz x CHOICES tc x CHOICES td x CHOICES tf x CHOICES tg x CHOICES th x CHOICES tj x CHOICES tk x CHOICES tm x CHOICES tn x CHOICES to x CHOICES tp x CHOICES tr x CHOICES tt x CHOICES tv x CHOICES tw x CHOICES tz x CHOICES ua x CHOICES ug x CHOICES um x CHOICES us x CHOICES uy x CHOICES uz x CHOICES va x CHOICES vc x CHOICES ve x CHOICES vg x CHOICES vi x CHOICES vn x CHOICES vu x CHOICES wf x CHOICES ws x CHOICES ye x CHOICES yt x CHOICES za x CHOICES zm x CHOICES zw] x [-key_usage_extensions CHOICES critical x CHOICES digitalsignature x CHOICES nonrepudiation x CHOICES keyencipherment x CHOICES dataencipherment x CHOICES keyagreement x CHOICES keycertsign x CHOICES crlsign x CHOICES encipheronly x CHOICES decipheronly] x [-key_size CHOICES 512 1024 2048] x [-authentication_wait_period RANGE 1-3600 x DEFAULT 30]
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_dotonex_config.py_part1
x CHOICES gm x CHOICES gn x CHOICES gp x CHOICES gq x CHOICES gr x CHOICES gs x CHOICES gt x CHOICES gu x CHOICES gw x CHOICES gy x CHOICES hk x CHOICES hm x CHOICES hn x CHOICES hr x CHOICES ht x CHOICES hu x CHOICES id x CHOICES ie x CHOICES il x CHOICES im x CHOICES in x CHOICES io x CHOICES iq x CHOICES ir x CHOICES is x CHOICES it x CHOICES je x CHOICES jm x CHOICES jo x CHOICES jp x CHOICES ke x CHOICES kg x CHOICES kh x CHOICES ki x CHOICES km x CHOICES kn x CHOICES kp x CHOICES kr x CHOICES kw x CHOICES ky x CHOICES kz x CHOICES la x CHOICES lb x CHOICES lc x CHOICES li x CHOICES lk x CHOICES lr x CHOICES ls x CHOICES lt x CHOICES lu x CHOICES lv x CHOICES ly x CHOICES ma x CHOICES mc x CHOICES md x CHOICES me x CHOICES mg x CHOICES mh x CHOICES mk x CHOICES ml x CHOICES mm x CHOICES mn x CHOICES mo x CHOICES mp x CHOICES mq x CHOICES mr x CHOICES ms x CHOICES mt x CHOICES mu x CHOICES mv x CHOICES mw x CHOICES mx x CHOICES my x CHOICES mz x CHOICES na x CHOICES nc x CHOICES ne x CHOICES nf x CHOICES ng x CHOICES ni x CHOICES nl x CHOICES no x CHOICES np x CHOICES nr x CHOICES nt x CHOICES nu x CHOICES nz x CHOICES om x CHOICES pa x CHOICES pe x CHOICES pf x CHOICES pg x CHOICES ph x CHOICES pk x CHOICES pl x CHOICES pm x CHOICES pn x CHOICES pr x CHOICES ps x CHOICES pt x CHOICES pw x CHOICES py x CHOICES qa x CHOICES re x CHOICES ro x CHOICES rs x CHOICES rw x CHOICES sa x CHOICES sb x CHOICES sc x CHOICES sd x CHOICES se x CHOICES sg x CHOICES sh x CHOICES si x CHOICES sj x CHOICES sk x CHOICES sl x CHOICES sm x CHOICES sn x CHOICES so x CHOICES sr x CHOICES st x CHOICES su x CHOICES sv x CHOICES sy x CHOICES sz x CHOICES tc x CHOICES td x CHOICES tf x CHOICES tg x CHOICES th x CHOICES tj x CHOICES tk x CHOICES tm x CHOICES tn x CHOICES to x CHOICES tp x CHOICES tr x CHOICES tt x CHOICES tv x CHOICES tw x CHOICES tz x CHOICES ua x CHOICES ug x CHOICES um x CHOICES us x CHOICES uy x CHOICES uz x CHOICES va x CHOICES vc x CHOICES ve x CHOICES vg x CHOICES vi x CHOICES vn x CHOICES vu x CHOICES wf x CHOICES ws x CHOICES ye x CHOICES yt x CHOICES za x CHOICES zm x CHOICES zw] x [-key_usage_extensions CHOICES critical x CHOICES digitalsignature x CHOICES nonrepudiation x CHOICES keyencipherment x CHOICES dataencipherment x CHOICES keyagreement x CHOICES keycertsign x CHOICES crlsign x CHOICES encipheronly x CHOICES decipheronly] x [-key_size CHOICES 512 1024 2048] x [-authentication_wait_period RANGE 1-3600 x DEFAULT 30] x [-organization_name ANY] x [-start_period RANGE 1-3600 x DEFAULT 30] x [-max_start RANGE 1-100 x DEFAULT 3] x [-successive_start RANGE 1-100 x DEFAULT 1] x [-fragment_size RANGE 500-1400 x DEFAULT 1400] x [-max_outstanding_requests RANGE 1-1024 x DEFAULT 10] x [-max_teardown_rate RANGE 1-1024 x DEFAULT 10] x [-protocol_type CHOICES tls x CHOICES md5 x CHOICES peapv0 x CHOICES peapv1 x CHOICES ttls x CHOICES fast] x [-max_setup_rate RANGE 1-1024 x DEFAULT 10] x [-eapol_version CHOICES eapolver2001 x CHOICES eapolver2004 x CHOICES eapolver2020] x [-ignore_auth_eapol_ver ANY] Arguments: x -port_handle x Ixia interface upon which to act. x -reset x If this option is selected, this will clear any 802.1x device. -handle 802.1x device handle for using the modes delete, modify, enable, and disable. x -return_detailed_handles x This argument determines if individual interface, session or router handles are returned by the current command. x This applies only to the command on which it is specified. x Setting this to 0 means that only NGPF-specific protocol stack handles will be returned. This will significantly x decrease the size of command results and speed up script execution. x The default is 0, meaning only protocol stack handles will be returned. -mode Action to take on the port specified the handle argument. x -attribute_name x attribute name for fetching value. -count Defines the number of dotonex devices to configure on the -port_handle. x -tls_version x TLS version selecction x -user_name x Credential of the user for authentication x -user_pwd x Password of the user for authentication x -host_auth_mode x Host Authentication Mode x -host_name x Credential of the host for authentication x -host_pwd x Password of the host for authentication x -wait_id x When enabled, the supplicant does not send the initial EAPOL Start message. Instead, it waits for the authenticator (the DUT) to send an EAPOL Request / Identity message. x -fast_provision_mode x FAST Provision Mode x -fast_inner_method x FAST Inner Method x -runtime_certificate_generation x Generate Certificate during Run time. Configure details in Global parameters. Common Name will be User Name. Certificate and Key file names will be generated based on corresponding Client User name. Eg: If Client User name is IxiaUser1 then Certificate File will be IxiaUser1.pem, Key File will be IxiaUser1_key.pem, CA certificate File will be root.pem x -fast_stateless_resume x FAST Stateless Resume x -send_ca_cert_only x Use this option to send CA Certificate only to Port. Eg: For PEAPv0/v1 case there is no need to send User Certificate to port. x -certificate_directory x The location to the saved certificates x -private_key_file x The private key certificate to be used x -peer_certificate_file x The Peer certificate to be used x -host_key_file x The private key certificate to be used by the host x -host_certificate_file x The Peer certificate to be used by the host x -verify_peer_certificate x Verifies the provided peer certificate x -ca_certificate_file x The CA certificate to be used x -certificate_key_in_same_file x flag to determine whether to use same Certificate file for both Private Key and User Certificate x -active x Activate/Deactivate Configuration x -dut_test_mode x Specify what is the dut port mode x -machine_auth_prefix x When using machine authentication, x a prefix is needed to differentiate between users and machines. x -disable_logoff x Do not send Logoff message when closing a session. x -multicast x Specify if destination MAC address can be multicast. x -identify_using_VLAN x Specify if VLAN is to be used to identify the supplicants x -authorized_on_no_response x If the DUT is not responding to EAPoL Start after configured x number of retries, declare the session a success x -wait_before_run x The number of secs to wait before running the protocol.Maximum wait is 500 x -certificate_server_url x Certificate Server URL x -get_ca_certificate_only x Use this option to get CA Certificate Only. Eg: For PEAPv0/v1 case there is no need to get User Certificate. x -company x Identification Info - Company x -department x Identification Info - Department x -city x Identification Info - City x -state x Identification Info - State x -country x Identification Info - Country x -key_usage_extensions x Select key usage extensions x -key_size x Key Options - Key Size x -authentication_wait_period x The maximum time interval, measured in seconds, that a Supplicant will wait for an Authenticator response.Maximum value is 3600 x -organization_name x Other Options - Alternative Subject Name x -start_period x The time interval between successive EAPOL Start messages sent by a Supplicant.Maxium value is 3600 x -max_start x The number of times to send EAPOL Start frames for which no response is received before declaring that the sessions have timed out. x Max value is 100
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_dotonex_config.py_part2
x DEFAULT 30] x [-organization_name ANY] x [-start_period RANGE 1-3600 x DEFAULT 30] x [-max_start RANGE 1-100 x DEFAULT 3] x [-successive_start RANGE 1-100 x DEFAULT 1] x [-fragment_size RANGE 500-1400 x DEFAULT 1400] x [-max_outstanding_requests RANGE 1-1024 x DEFAULT 10] x [-max_teardown_rate RANGE 1-1024 x DEFAULT 10] x [-protocol_type CHOICES tls x CHOICES md5 x CHOICES peapv0 x CHOICES peapv1 x CHOICES ttls x CHOICES fast] x [-max_setup_rate RANGE 1-1024 x DEFAULT 10] x [-eapol_version CHOICES eapolver2001 x CHOICES eapolver2004 x CHOICES eapolver2020] x [-ignore_auth_eapol_ver ANY] Arguments: x -port_handle x Ixia interface upon which to act. x -reset x If this option is selected, this will clear any 802.1x device. -handle 802.1x device handle for using the modes delete, modify, enable, and disable. x -return_detailed_handles x This argument determines if individual interface, session or router handles are returned by the current command. x This applies only to the command on which it is specified. x Setting this to 0 means that only NGPF-specific protocol stack handles will be returned. This will significantly x decrease the size of command results and speed up script execution. x The default is 0, meaning only protocol stack handles will be returned. -mode Action to take on the port specified the handle argument. x -attribute_name x attribute name for fetching value. -count Defines the number of dotonex devices to configure on the -port_handle. x -tls_version x TLS version selecction x -user_name x Credential of the user for authentication x -user_pwd x Password of the user for authentication x -host_auth_mode x Host Authentication Mode x -host_name x Credential of the host for authentication x -host_pwd x Password of the host for authentication x -wait_id x When enabled, the supplicant does not send the initial EAPOL Start message. Instead, it waits for the authenticator (the DUT) to send an EAPOL Request / Identity message. x -fast_provision_mode x FAST Provision Mode x -fast_inner_method x FAST Inner Method x -runtime_certificate_generation x Generate Certificate during Run time. Configure details in Global parameters. Common Name will be User Name. Certificate and Key file names will be generated based on corresponding Client User name. Eg: If Client User name is IxiaUser1 then Certificate File will be IxiaUser1.pem, Key File will be IxiaUser1_key.pem, CA certificate File will be root.pem x -fast_stateless_resume x FAST Stateless Resume x -send_ca_cert_only x Use this option to send CA Certificate only to Port. Eg: For PEAPv0/v1 case there is no need to send User Certificate to port. x -certificate_directory x The location to the saved certificates x -private_key_file x The private key certificate to be used x -peer_certificate_file x The Peer certificate to be used x -host_key_file x The private key certificate to be used by the host x -host_certificate_file x The Peer certificate to be used by the host x -verify_peer_certificate x Verifies the provided peer certificate x -ca_certificate_file x The CA certificate to be used x -certificate_key_in_same_file x flag to determine whether to use same Certificate file for both Private Key and User Certificate x -active x Activate/Deactivate Configuration x -dut_test_mode x Specify what is the dut port mode x -machine_auth_prefix x When using machine authentication, x a prefix is needed to differentiate between users and machines. x -disable_logoff x Do not send Logoff message when closing a session. x -multicast x Specify if destination MAC address can be multicast. x -identify_using_VLAN x Specify if VLAN is to be used to identify the supplicants x -authorized_on_no_response x If the DUT is not responding to EAPoL Start after configured x number of retries, declare the session a success x -wait_before_run x The number of secs to wait before running the protocol.Maximum wait is 500 x -certificate_server_url x Certificate Server URL x -get_ca_certificate_only x Use this option to get CA Certificate Only. Eg: For PEAPv0/v1 case there is no need to get User Certificate. x -company x Identification Info - Company x -department x Identification Info - Department x -city x Identification Info - City x -state x Identification Info - State x -country x Identification Info - Country x -key_usage_extensions x Select key usage extensions x -key_size x Key Options - Key Size x -authentication_wait_period x The maximum time interval, measured in seconds, that a Supplicant will wait for an Authenticator response.Maximum value is 3600 x -organization_name x Other Options - Alternative Subject Name x -start_period x The time interval between successive EAPOL Start messages sent by a Supplicant.Maxium value is 3600 x -max_start x The number of times to send EAPOL Start frames for which no response is received before declaring that the sessions have timed out. x Max value is 100 x -successive_start x The number of EAPOL Start messages sent when the supplicant starts the process of authentication. x Max value is 100 x -fragment_size x The maximum size of a fragment that can be sent on the wire for TLS fragments that comprise the phase 1 conversation (tunnel establishment). x Max value is 1400 x -max_outstanding_requests x The maximum number of sessions that can be negotiated at one moment. Max value is 1024 x -max_teardown_rate x The number of interfaces to tear down per second. Max value is 1024 x -protocol_type x protocol for authentication x -max_setup_rate x The number of interfaces to setup per second. Max rate is 1024 x -eapol_version x 802.1x EAPOL authentication version. x -ignore_auth_eapol_ver x Enable to ignore authenticator EAPOL version. Return Values: A list containing the dotonex device protocol stack handles that were added by the command (if any). x key:dotonex_device_handle value:A list containing the dotonex device protocol stack handles that were added by the command (if any). A list containing the ipv4 device protocol stack handles that were added by the command (if any). x key:ipv4_device_handle value:A list containing the ipv4 device protocol stack handles that were added by the command (if any). A list containing the ipv6 device protocol stack handles that were added by the command (if any). x key:ipv6_device_handle value:A list containing the ipv6 device protocol stack handles that were added by the command (if any). A list containing the dhcpv4 device protocol stack handles that were added by the command (if any). x key:dhcpv4_device_handle value:A list containing the dhcpv4 device protocol stack handles that were added by the command (if any). A list containing the dhcpv6 device protocol stack handles that were added by the command (if any). x key:dhcpv6_device_handle value:A list containing the dhcpv6 device protocol stack handles that were added by the command (if any). A list containing the pppox client protocol stack handles that were added by the command (if any). x key:pppox_client_handle value:A list containing the pppox client protocol stack handles that were added by the command (if any). A list containing the pppox server protocol stack handles that were added by the command (if any). x key:pppox_server_handle value:A list containing the pppox server protocol stack handles that were added by the command (if any). A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:interface_handle value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. $::SUCCESS or $::FAILURE key:status value:$::SUCCESS or $::FAILURE If failure, will contain more information key:log value:If failure, will contain more information 802.1x device Handles Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. key:handle value:802.1x device Handles Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. Examples: Sample Input: Sample Output: Notes: 1) Coded versus functional specification. If the current session or command was run with -return_detailed_handles 0 the following keys will be omitted from the command response: handle, interface_handle See Also: ''' hlpy_args = locals().copy() hlpy_args.update(kwargs) del hlpy_args['self'] del hlpy_args['kwargs'] not_implemented_params = [] mandatory_params = [] file_params = [] try: return self.__execute_command( 'emulation_dotonex_config', not_implemented_params, mandatory_params, file_params, hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_dotonex_config.py_part3
x Max value is 100 x -successive_start x The number of EAPOL Start messages sent when the supplicant starts the process of authentication. x Max value is 100 x -fragment_size x The maximum size of a fragment that can be sent on the wire for TLS fragments that comprise the phase 1 conversation (tunnel establishment). x Max value is 1400 x -max_outstanding_requests x The maximum number of sessions that can be negotiated at one moment. Max value is 1024 x -max_teardown_rate x The number of interfaces to tear down per second. Max value is 1024 x -protocol_type x protocol for authentication x -max_setup_rate x The number of interfaces to setup per second. Max rate is 1024 x -eapol_version x 802.1x EAPOL authentication version. x -ignore_auth_eapol_ver x Enable to ignore authenticator EAPOL version. Return Values: A list containing the dotonex device protocol stack handles that were added by the command (if any). x key:dotonex_device_handle value:A list containing the dotonex device protocol stack handles that were added by the command (if any). A list containing the ipv4 device protocol stack handles that were added by the command (if any). x key:ipv4_device_handle value:A list containing the ipv4 device protocol stack handles that were added by the command (if any). A list containing the ipv6 device protocol stack handles that were added by the command (if any). x key:ipv6_device_handle value:A list containing the ipv6 device protocol stack handles that were added by the command (if any). A list containing the dhcpv4 device protocol stack handles that were added by the command (if any). x key:dhcpv4_device_handle value:A list containing the dhcpv4 device protocol stack handles that were added by the command (if any). A list containing the dhcpv6 device protocol stack handles that were added by the command (if any). x key:dhcpv6_device_handle value:A list containing the dhcpv6 device protocol stack handles that were added by the command (if any). A list containing the pppox client protocol stack handles that were added by the command (if any). x key:pppox_client_handle value:A list containing the pppox client protocol stack handles that were added by the command (if any). A list containing the pppox server protocol stack handles that were added by the command (if any). x key:pppox_server_handle value:A list containing the pppox server protocol stack handles that were added by the command (if any). A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:interface_handle value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. $::SUCCESS or $::FAILURE key:status value:$::SUCCESS or $::FAILURE If failure, will contain more information key:log value:If failure, will contain more information 802.1x device Handles Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. key:handle value:802.1x device Handles Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. Examples: Sample Input: Sample Output: Notes: 1) Coded versus functional specification. If the current session or command was run with -return_detailed_handles 0 the following keys will be omitted from the command response: handle, interface_handle See Also: ''' hlpy_args = locals().copy() hlpy_args.update(kwargs) del hlpy_args['self'] del hlpy_args['kwargs'] not_implemented_params = [] mandatory_params = [] file_params = [] try: return self.__execute_command( 'emulation_dotonex_config', not_implemented_params, mandatory_params, file_params, hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_dotonex_config.py_part4
# -*- coding: utf-8 -*- import sys from ixiaerror import IxiaError from ixiangpf import IxiaNgpf from ixiautil import PartialClass, make_hltapi_fail class IxiaNgpf(PartialClass, IxiaNgpf): def emulation_msrp_talker_config(self, mode, **kwargs): r''' #Procedure Header Name: emulation_msrp_talker_config Description: This procedure will configure MSRP Talker Synopsis: emulation_msrp_talker_config -mode CHOICES create CHOICES delete CHOICES modify CHOICES enable CHOICES disable [-port_handle REGEXP ^[0-9]+/[0-9]+/[0-9]+$] [-handle ANY] [-mac_address_init MAC] x [-mac_address_step MAC x DEFAULT 0000.0000.0001] x [-vlan CHOICES 0 1] [-vlan_id RANGE 0-4095] [-vlan_id_mode CHOICES fixed increment DEFAULT increment] [-vlan_id_step RANGE 0-4096 DEFAULT 1] [-vlan_user_priority RANGE 0-7 DEFAULT 0] [-count ANY DEFAULT 1] x [-reset FLAG] x [-msrp_talker_active CHOICES 0 1] x [-stream_active CHOICES 0 1] x [-source_mac MAC x DEFAULT 0011.0100.0001] x [-unique_id RANGE 1-65535 x DEFAULT 1] x [-stream_name REGEXP ^[0-9,a-f,A-F]+$] x [-destination_mac MAC x DEFAULT 91E0.F000.FE00] x [-stream_vlan_id RANGE 1-4094 x DEFAULT 2] x [-max_frame_size RANGE 1-65535 x DEFAULT 100] x [-max_interval_frames RANGE 1-65535 x DEFAULT 1] x [-per_frame_overhead RANGE 0-65535 x DEFAULT 42] x [-class_measurement_interval RANGE 0-4294967295 x DEFAULT 125] x [-data_frame_priority RANGE 0-7 x DEFAULT 3] x [-rank CHOICES emergency nonemergency x DEFAULT nonemergency] x [-port_tc_max_latency RANGE 1-4294967295 x DEFAULT 20] x [-protocol_version HEX] x [-join_timer RANGE 200-100000000 x DEFAULT 200] x [-leave_timer RANGE 600-100000000 x DEFAULT 600] x [-leave_all_timer RANGE 10000-100000000 x DEFAULT 10000] x [-advertise_vlan_membership CHOICES 0 1 x DEFAULT 1] x [-advertise_as CHOICES joinmt new x DEFAULT new] x [-domain_count RANGE 1-2 x DEFAULT 1] x [-stream_count RANGE 0-1024000 x DEFAULT 1] x [-sr_class_id RANGE 0-255 x DEFAULT 6] x [-sr_class_priority_type RANGE 0-7 x DEFAULT 3] x [-sr_class_vid RANGE 1-4094 x DEFAULT 2] x [-domain_active CHOICES 0 1] Arguments: -mode -port_handle -handle Specifies the parent node/object handle on which the talker configuration should be configured. In case modes modify/delete/disable/enable this denotes the object node handle on which the action needs to be performed. The handle value syntax is dependent on the vendor. -mac_address_init This option defines the MAC address that will be configured on the Ixia interface.If is -count > 1, this MAC address will increment by default by step of 1, or you can specify another step by using mac_address_step option. x -mac_address_step x This option defines the incrementing step for the MAC address that x will be configured on the Ixia interface. Valid only when x IxNetwork Tcl API is used. x -vlan x Enables vlan on the directly connected ISIS router interface. x Valid options are: 0 - disable, 1 - enable. x This option is valid only when -mode is create or -mode is modify x and -handle is an ISIS router handle. -vlan_id If VLAN is enabled on the Ixia interface, this option will configure the VLAN number. -vlan_id_mode If the user configures more than one interface on the Ixia with VLAN, he can choose to automatically increment the VLAN tag (increment)or leave it idle for each interface (fixed). -vlan_id_step If the -vlan_id_mode is increment, this will be the step value by which the VLAN tags are incremented. When vlan_id_step causes the vlan_id value to exceed it's maximum value the increment will be done modulo <number of possible vlan ids>. Examples: vlan_id = 4094; vlan_id_step = 2-> new vlan_id value = 0 vlan_id = 4095; vlan_id_step = 11 -> new vlan_id value = 10 -vlan_user_priority VLAN user priority assigned to emulated router node. -count The number of Talkers to configure on the targeted Ixia interface.The range is 0-1000. x -reset x If this option is selected, this will clear any MSRP Talker on x the targeted interface. x -msrp_talker_active x MSRP Active. x -stream_active x Stream Active. x -source_mac x This mac address is to be retrieved from own lower Ethernet layer by default. This field is editable by user for negative testing. This field is used for determining the Stream Id x -unique_id x 2 bytes unsigned integer. Default value is 1. Min value is 1 and Max value is 65535. For each successive SRP stream ids this value has to be increased by 1 under a talker. This field is used for determining the Stream Id x -stream_name x A user editable name for each stream. x -destination_mac x Multicast/Unicast Destination MAC address. Multicast address Range is 91:E0:F0:00:FE:00 - 91:E0:F0:00:FE:FF. Default is 91:E0:F0:00:FE:00. Unicast address is any valid unicast mac address. Default is Multicast. x -stream_vlan_id x VLAN ID. Range is 1 through 4094. On exceeding the max value subsequent rows will remain on max value. x -max_frame_size x 2 bytes unsigned integer. RANGE 1-65535 x -max_interval_frames x 2 bytes unsigned integer. Min is 1 and Max is 65535 x -per_frame_overhead x per Frame Overhead. RANGE 0-65535 x -class_measurement_interval x If value of SR Class is Class A then default value of Class Measurement Interval should be 125 micro Seconds. If value of SR Class is Class B then default value of Class Measurement Interval should be 250 us. If value of SR Class is No class associated then default value of Class Measurement Interval should be 0. (This will result to 0 bandwidth, and in a way asking user to key in value for class measurement interval so that bandwidth can be calculated when priorities are not mapped according to IEEE standard ). RANGE 0-4294967295 x -data_frame_priority x Data Frame Priority. RANGE 0-7 x -rank x Single bit field. Nonemergency traffic shall set this bit to a 1 and emergency traffic shall set it to zero. Default is 1. x -port_tc_max_latency x Port Tc Max Latency (ns). Range 1-4294967295 x -protocol_version x This one-octet field indicates the version supported by the applicant. Default value is 0x00. Maximum value is 0xFF x -join_timer x The Join Period Timer controls the interval, in milliseconds, between transmit opportunities that are applied to the Applicant state machine. Minimum is 200 ms and Maximum is 100000000 ms x -leave_timer x The leave timer controls the period of time, in milliseconds, that the Registrar state machine will wait in the LV state before transiting to the MT state. Default is 600 ms. x Min is 600 ms and Max is 100000000 ms. The leave time should be at least twice the join time to allow re-registration after a leave or leave-all message, even if a message is lost. x -leave_all_timer x Controls the frequency, in milliseconds, with which the LeaveAll state machine generates Leave All PDUs. Default is 10000 ms. Minimum value is 10000 ms and Maximum value is 100000000 ms. x To minimize the volume of re-joining traffic generated following a leaveall message, the leaveall time should be larger than the leave time. x -advertise_vlan_membership x This field denotes that talker will advertise the vlan membership information. x -advertise_as x Advertise As x -domain_count x Number of domains to be configured under a talker. Min value is 1 and max value is 2. x -stream_count x Number of streams to be configured under a talker. The minimum value is always 1. Talker is always configured with at least 1 Stream. stream_count cannot be zero for a talker. x -sr_class_id x One byte field. It will be drop down list of {Class A(6), Class B(5)}. Default is Class A(6). Note: User will not see number. User will see only Class A/B. RANGE 0-255 x -sr_class_priority_type x one byte field. It will be drop down list of {Class A(3), Class B(2)}. Default is Class A(3). Note: User will not see number. User will see only Class A/B.. RANGE 0-7 x -sr_class_vid x SR Class VID. RANGE 1-4094 x -domain_active x Domain Active. Return Values: A list containing the ethernet protocol stack handles that were added by the command (if any). x key:ethernet_handle value:A list containing the ethernet protocol stack handles that were added by the command (if any). A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:msrp_talker_handles value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:msrp_stream_handles value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:msrp_talker_domain_handles value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. $::SUCCESS | $::FAILURE key:status value:$::SUCCESS | $::FAILURE When status is $::FAILURE, contains more information key:log value:When status is $::FAILURE, contains more information Handle of MSRP Talker configured key:msrp_talker_handle value:Handle of MSRP Talker configured
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_msrp_talker_config.py_part1
x -stream_active x Stream Active. x -source_mac x This mac address is to be retrieved from own lower Ethernet layer by default. This field is editable by user for negative testing. This field is used for determining the Stream Id x -unique_id x 2 bytes unsigned integer. Default value is 1. Min value is 1 and Max value is 65535. For each successive SRP stream ids this value has to be increased by 1 under a talker. This field is used for determining the Stream Id x -stream_name x A user editable name for each stream. x -destination_mac x Multicast/Unicast Destination MAC address. Multicast address Range is 91:E0:F0:00:FE:00 - 91:E0:F0:00:FE:FF. Default is 91:E0:F0:00:FE:00. Unicast address is any valid unicast mac address. Default is Multicast. x -stream_vlan_id x VLAN ID. Range is 1 through 4094. On exceeding the max value subsequent rows will remain on max value. x -max_frame_size x 2 bytes unsigned integer. RANGE 1-65535 x -max_interval_frames x 2 bytes unsigned integer. Min is 1 and Max is 65535 x -per_frame_overhead x per Frame Overhead. RANGE 0-65535 x -class_measurement_interval x If value of SR Class is Class A then default value of Class Measurement Interval should be 125 micro Seconds. If value of SR Class is Class B then default value of Class Measurement Interval should be 250 us. If value of SR Class is No class associated then default value of Class Measurement Interval should be 0. (This will result to 0 bandwidth, and in a way asking user to key in value for class measurement interval so that bandwidth can be calculated when priorities are not mapped according to IEEE standard ). RANGE 0-4294967295 x -data_frame_priority x Data Frame Priority. RANGE 0-7 x -rank x Single bit field. Nonemergency traffic shall set this bit to a 1 and emergency traffic shall set it to zero. Default is 1. x -port_tc_max_latency x Port Tc Max Latency (ns). Range 1-4294967295 x -protocol_version x This one-octet field indicates the version supported by the applicant. Default value is 0x00. Maximum value is 0xFF x -join_timer x The Join Period Timer controls the interval, in milliseconds, between transmit opportunities that are applied to the Applicant state machine. Minimum is 200 ms and Maximum is 100000000 ms x -leave_timer x The leave timer controls the period of time, in milliseconds, that the Registrar state machine will wait in the LV state before transiting to the MT state. Default is 600 ms. x Min is 600 ms and Max is 100000000 ms. The leave time should be at least twice the join time to allow re-registration after a leave or leave-all message, even if a message is lost. x -leave_all_timer x Controls the frequency, in milliseconds, with which the LeaveAll state machine generates Leave All PDUs. Default is 10000 ms. Minimum value is 10000 ms and Maximum value is 100000000 ms. x To minimize the volume of re-joining traffic generated following a leaveall message, the leaveall time should be larger than the leave time. x -advertise_vlan_membership x This field denotes that talker will advertise the vlan membership information. x -advertise_as x Advertise As x -domain_count x Number of domains to be configured under a talker. Min value is 1 and max value is 2. x -stream_count x Number of streams to be configured under a talker. The minimum value is always 1. Talker is always configured with at least 1 Stream. stream_count cannot be zero for a talker. x -sr_class_id x One byte field. It will be drop down list of {Class A(6), Class B(5)}. Default is Class A(6). Note: User will not see number. User will see only Class A/B. RANGE 0-255 x -sr_class_priority_type x one byte field. It will be drop down list of {Class A(3), Class B(2)}. Default is Class A(3). Note: User will not see number. User will see only Class A/B.. RANGE 0-7 x -sr_class_vid x SR Class VID. RANGE 1-4094 x -domain_active x Domain Active. Return Values: A list containing the ethernet protocol stack handles that were added by the command (if any). x key:ethernet_handle value:A list containing the ethernet protocol stack handles that were added by the command (if any). A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:msrp_talker_handles value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:msrp_stream_handles value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:msrp_talker_domain_handles value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. $::SUCCESS | $::FAILURE key:status value:$::SUCCESS | $::FAILURE When status is $::FAILURE, contains more information key:log value:When status is $::FAILURE, contains more information Handle of MSRP Talker configured key:msrp_talker_handle value:Handle of MSRP Talker configured Handle of MSRP Talker streams configured key:msrp_stream_handle value:Handle of MSRP Talker streams configured Handle of MSRP Talker Domain configured key:msrp_talker_domain_handle value:Handle of MSRP Talker Domain configured Examples: Sample Input: Sample Output: Notes: If the current session or command was run with -return_detailed_handles 0 the following keys will be omitted from the command response: msrp_talker_handles, msrp_stream_handles, msrp_talker_domain_handles See Also: ''' hlpy_args = locals().copy() hlpy_args.update(kwargs) del hlpy_args['self'] del hlpy_args['kwargs'] not_implemented_params = [] mandatory_params = [] file_params = [] try: return self.__execute_command( 'emulation_msrp_talker_config', not_implemented_params, mandatory_params, file_params, hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_msrp_talker_config.py_part2
key:msrp_talker_handle value:Handle of MSRP Talker configured Handle of MSRP Talker streams configured key:msrp_stream_handle value:Handle of MSRP Talker streams configured Handle of MSRP Talker Domain configured key:msrp_talker_domain_handle value:Handle of MSRP Talker Domain configured Examples: Sample Input: Sample Output: Notes: If the current session or command was run with -return_detailed_handles 0 the following keys will be omitted from the command response: msrp_talker_handles, msrp_stream_handles, msrp_talker_domain_handles See Also: ''' hlpy_args = locals().copy() hlpy_args.update(kwargs) del hlpy_args['self'] del hlpy_args['kwargs'] not_implemented_params = [] mandatory_params = [] file_params = [] try: return self.__execute_command( 'emulation_msrp_talker_config', not_implemented_params, mandatory_params, file_params, hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_msrp_talker_config.py_part3
# -*- coding: utf-8 -*- import sys from ixiaerror import IxiaError from ixiangpf import IxiaNgpf from ixiautil import PartialClass, make_hltapi_fail class IxiaNgpf(PartialClass, IxiaNgpf): def multivalue_subset_config(self, source_protocol_handle, destination_protocol_handle, target_attribute, **kwargs): r''' #Procedure Header Name: multivalue_subset_config Description: This is an internal method that is used to set multivalue attributes to a subset pattern directly. Synopsis: multivalue_subset_config x -source_protocol_handle ANY x [-source_node_handle ANY] x [-source_attribute ANY] x -destination_protocol_handle ANY x [-destination_node_handle ANY] x -target_attribute ANY x [-round_robin_mode CHOICES none port device manual x DEFAULT port] x [-overlay_value ALPHA] x [-overlay_value_step ALPHA] x [-overlay_index NUMERIC] x [-overlay_index_step NUMERIC] x [-overlay_count NUMERIC] x [-clear_existing_overlays CHOICES 0 1 x DEFAULT 1] Arguments: x -source_protocol_handle x An NGPF handle that was returned by a previous HLT command that identifies x the protocol stack that will be used as a subset source. x -source_node_handle x An XPath expression that identifies the autogenerated node that will be used x as a subset source. x -source_attribute x The name of an attribute of the source node that will be used as a source for the subset values. x -destination_protocol_handle x An NGPF handle that was returned by a previous HLT command that identifies x the protocol stack that will be used as a subset destination. x -destination_node_handle x An XPath expression that identifies the autogenerated node that will be used x as a subset destination. x -target_attribute x The name of the attribute that will be modified. x -round_robin_mode x The type of round robin distribution tat will be used to populate the values of the target attribute using the source values. x -overlay_value x The value of an overlay. x This argument can be a comma separated list of values if we want to x configure multiple overlays with a single command. x -overlay_value_step x The step used by an overlay. x This argument should only be used if you want to create overlay patterns. x This argument can be a comma separated list of values if we want to x configure multiple overlays with a single command. x -overlay_index x The index at which the overlay will be created. x This argument can be a comma separated list of values if we want to x configure multiple overlays with a single command. x -overlay_index_step x The index step controls the inteval at which successive overlays will be created. x This argument should only be used if you want to create overlay patterns. x This argument can be a comma separated list of values if we want to x configure multiple overlays with a single command. x -overlay_count x The number of overlays which will be generated by the corresponding overlay pattern. x This argument should only be used if you want to create overlay patterns. x This argument can be a comma separated list of values if we want to x configure multiple overlays with a single command. x -clear_existing_overlays x This flag can be used to remove all overlays from a multivalue. Return Values: $::SUCCESS | $::FAILURE key:status value:$::SUCCESS | $::FAILURE On status of failure, gives detailed information. key:log value:On status of failure, gives detailed information. Examples: Sample Input: Sample Output: Notes: See Also: ''' hlpy_args = locals().copy() hlpy_args.update(kwargs) del hlpy_args['self'] del hlpy_args['kwargs'] not_implemented_params = [] mandatory_params = [] file_params = [] try: return self.__execute_command( 'multivalue_subset_config', not_implemented_params, mandatory_params, file_params, hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/multivalue_subset_config.py_part1
# -*- coding: utf-8 -*- import sys from ixiaerror import IxiaError from ixiangpf import IxiaNgpf from ixiautil import PartialClass, make_hltapi_fail class IxiaNgpf(PartialClass, IxiaNgpf): def emulation_ldp_control(self, mode, handle, **kwargs): r''' #Procedure Header Name: emulation_ldp_control Description: Stop, start or restart the protocol. Synopsis: emulation_ldp_control -mode CHOICES restart CHOICES start CHOICES stop CHOICES restartDown CHOICES abort CHOICES gracefullyRestart CHOICES resumebasichello CHOICES stopbasichello CHOICES resumekeepalive CHOICES stopkeepalive CHOICES activateLeafRange CHOICES deactivateLeafRange n [-port_handle ANY] x [-delay NUMERIC] -handle ANY n [-advertise ANY] n [-flap_count ANY] n [-flap_down_time ANY] n [-flap_interval_time ANY] n [-flap_routes ANY] n [-withdraw ANY] Arguments: -mode Operation that is been executed on the protocol. Valid choices are: restart - Restart the protocol. start- Start the protocol. stop- Stop the protocol. restart_down - Restarts the down sessions. abort- Aborts the protocol. resume_hello - Resumes hello message for the given LDP connected interface. stop_hello - Stops hello message for the given LDP connected Interface. resume_keepalive - Resumes Keepalive message for the given LDP connected interface. stop_keepalive- Stop Keepalive message for the given LDP connected interface. activate_LeafRange - Activate Multicast Leaf Range. deactivate_LeafRange - Stop Multicast Leaf Range. n -port_handle n This argument defined by Cisco is not supported for NGPF implementation. x -delay x The percentage of addresses that will be aged out. This argument is ignored when mode is not age_out_routes and *must* be specified in such circumstances. -handle The LDP session handle to act upon. n -advertise n This argument defined by Cisco is not supported for NGPF implementation. n -flap_count n This argument defined by Cisco is not supported for NGPF implementation. n -flap_down_time n This argument defined by Cisco is not supported for NGPF implementation. n -flap_interval_time n This argument defined by Cisco is not supported for NGPF implementation. n -flap_routes n This argument defined by Cisco is not supported for NGPF implementation. n -withdraw n This argument defined by Cisco is not supported for NGPF implementation. Return Values: $::SUCCESS | $::FAILURE key:status value:$::SUCCESS | $::FAILURE If status is failure, detailed information provided. key:log value:If status is failure, detailed information provided. Examples: See files starting with LDP_ in the Samples subdirectory. Also see some of the L2VPN, L3VPN, MPLS, and MVPN sample files for further examples of the LDP usage. See the LDP example in Appendix A, "Example APIs," for one specific example usage. Sample Input: Sample Output: Notes: Coded versus functional specification. See Also: ''' hlpy_args = locals().copy() hlpy_args.update(kwargs) del hlpy_args['self'] del hlpy_args['kwargs'] not_implemented_params = [] mandatory_params = [] file_params = [] try: return self.__execute_command( 'emulation_ldp_control', not_implemented_params, mandatory_params, file_params, hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_ldp_control.py_part1
# -*- coding: utf-8 -*- import sys from ixiaerror import IxiaError from ixiangpf import IxiaNgpf from ixiautil import PartialClass, make_hltapi_fail class IxiaNgpf(PartialClass, IxiaNgpf): def emulation_bgp_route_config(self, handle, mode, **kwargs): r''' #Procedure Header Name: emulation_bgp_route_config Description: This procedure creates a route range that is associated with a BGP4 neighbor. It also defines the characteristics of the routes that will be advertised at the beginning of the session. It defines a set of routes and associated attributes. The routes can be unicast/multicast, mpls, vpn, and vpls. Synopsis: emulation_bgp_route_config -handle ANY [-route_handle ANY] [-l3_site_handle ANY] -mode CHOICES add CHOICES create CHOICES modify CHOICES remove CHOICES delete CHOICES enable CHOICES disable CHOICES import_routes CHOICES generate_routes CHOICES generate_ipv6_routes x [-protocol_name ALPHA] x [-protocol_route_name ALPHA] x [-active CHOICES 0 1] [-ipv4_unicast_nlri FLAG] n [-ipv4_multicast_nlri ANY] n [-ipv4_mpls_nlri ANY] [-ipv4_mpls_vpn_nlri FLAG] [-ipv6_unicast_nlri FLAG] n [-ipv6_multicast_nlri ANY] n [-ipv6_mpls_nlri ANY] [-ipv6_mpls_vpn_nlri FLAG] [-max_route_ranges NUMERIC DEFAULT 1] [-ip_version CHOICES 4 6 DEFAULT 4] [-prefix IP] [-route_ip_addr_step IP] n [-prefix_step_accross_vrfs ANY] [-num_routes NUMERIC] [-num_sites NUMERIC] x [-prefix_from RANGE 0-128] n [-prefix_to ANY] n [-prefix_step ANY] n [-prefix_step_across_vrfs ANY] [-netmask IP] [-ipv6_prefix_length RANGE 1-128] n [-enable_generate_unique_routes ANY] n [-end_of_rib ANY] [-packing_from RANGE 0-65535] [-packing_to RANGE 0-65535] x [-enable_traditional_nlri CHOICES 0 1 x DEFAULT 1] [-next_hop_enable FLAG DEFAULT 1] [-next_hop_set_mode CHOICES same manual DEFAULT same] [-next_hop_ip_version CHOICES 4 6] [-next_hop IP] x [-next_hop_ipv4 IP] x [-next_hop_ipv6 IP] [-next_hop_mode CHOICES fixed CHOICES increment CHOICES incrementPerPrefix] x [-advertise_nexthop_as_v4 CHOICES 0 1] x [-next_hop_linklocal_enable CHOICES 0 1 x DEFAULT 0] [-origin_route_enable FLAG] [-origin CHOICES igp egp incomplete] x [-enable_local_pref CHOICES 0 1] [-local_pref NUMERIC DEFAULT 0] x [-enable_med CHOICES 0 1] [-multi_exit_disc NUMERIC] x [-enable_weight CHOICES 0 1] x [-weight NUMERIC] [-atomic_aggregate FLAG] [-aggregator ANY] x [-enable_aggregator CHOICES 0 1] x [-aggregator_id_mode CHOICES fixed increment] x [-aggregator_id IP] x [-aggregator_as NUMERIC] [-originator_id_enable CHOICES 0 1 DEFAULT 0] [-originator_id IP] [-use_safi_multicast CHOICES 0 1] [-skip_multicast_routes CHOICES 0 1] x [-enable_route_flap FLAG] x [-flap_up_time RANGE 1-1000000] x [-flap_down_time RANGE 1-1000000] x [-enable_partial_route_flap FLAG] x [-partial_route_flap_from_route_index RANGE 0-1000000] x [-partial_route_flap_to_route_index RANGE 0-1000000] x [-flap_delay NUMERIC] [-communities_enable FLAG] x [-num_communities NUMERIC] [-communities NUMERIC] x [-communities_as_number NUMERIC] x [-communities_last_two_octets NUMERIC] x [-communities_type CHOICES no_export x CHOICES no_advertised x CHOICES no_export_subconfed x CHOICES manual x CHOICES llgr_stale x CHOICES no_llgr] [-enable_large_communitiy CHOICES 0 1] x [-num_of_large_communities NUMERIC] x [-large_community ANY] x [-ext_communities_enable CHOICES 0 1] x [-num_ext_communities NUMERIC] [-ext_communities REGEXP ^(0|2|3|4),\d+,(\d{2}\s){5}\d{2}$] x [-ext_communities_as_two_bytes NUMERIC] x [-ext_communities_as_four_bytes NUMERIC] x [-ext_communities_assigned_two_bytes NUMERIC] x [-ext_communities_assigned_four_bytes NUMERIC] x [-ext_communities_ip IP] x [-ext_communities_opaque_data ANY] x [-ext_communities_colorCObits CHOICES 00 01 10 11 x DEFAULT 00] x [-ext_communities_colorReservedBits NUMERIC] x [-ext_communities_colorValue NUMERIC] x [-ext_communities_link_bandwidth NUMERIC] x [-ext_communities_type CHOICES admin_as_two_octet x CHOICES admin_ip x CHOICES admin_as_four_octet x CHOICES opaque x CHOICES evpn x CHOICES admin_as_two_octet_link_bandwidth] x [-ext_communities_subtype CHOICES route_target x CHOICES origin x CHOICES extended_bandwidth x CHOICES mac_address x CHOICES color] [-cluster_list_enable FLAG] x [-num_clusters NUMERIC] [-cluster_list REGEXP ^([0-9]{1,3}.[0-9]{1,3}.[0-9]{1,3}.[0-9]{1,3}\s*)+|([0-9]+\s*)+$] x [-advertise_as_bgpls_prefix CHOICES 0 1] x [-route_origin CHOICES static direct] x [-advertise_as_bgp_3107 CHOICES 0 1] x [-label_id NUMERIC x DEFAULT 0] [-label_value NUMERIC DEFAULT 16] x [-label_end NUMERIC] [-label_step NUMERIC DEFAULT 1] x [-advertise_as_bgp_3107_sr CHOICES 0 1] x [-segmentId NUMERIC] x [-incrementMode CHOICES same increment] x [-specialLabel CHOICES none x CHOICES includeexplicitipv4null x CHOICES includeimplicitnull] x [-enableSRGB CHOICES 0 1] x [-advertise_as_rfc_8277 CHOICES 0 1] x [-no_of_labels RANGE 1-9 x DEFAULT 1] x [-mpls_label_step ANY] x [-mpls_label_start ANY] x [-mpls_label_end ANY] x [-enable_aigp CHOICES 0 1] x [-no_of_tlvs NUMERIC] x [-aigp_type CHOICES aigptlv] x [-aigp_value ANY] x [-enable_add_path CHOICES 0 1] x [-add_path_id NUMERIC] x [-enable_random_as_path CHOICES 0 1] x [-max_no_of_as_path_segments RANGE 1-20] x [-min_no_of_as_path_segments RANGE 1-20] x [-as_segment_distribution CHOICES as_set x CHOICES as_seq x CHOICES as_set_confederation x CHOICES as_seq_confederation x CHOICES random_segments x CHOICES random_between_asset_and_asseq x DEFAULT as_set] x [-max_as_numbers_per_segments RANGE 1-50] x [-min_as_numbers_per_segments RANGE 1-50] x [-range_of_as_number_suffix ALPHA] x [-as_path_per_route CHOICES same different x DEFAULT same] x [-random_as_seed_value RANGE 1-4294967295] x [-enable_as_path CHOICES 0 1] x [-num_as_path_segments NUMERIC x DEFAULT 1] x [-as_path_set_mode CHOICES include_as_seq x CHOICES include_as_seq_conf x CHOICES include_as_set x CHOICES include_as_set_conf x CHOICES no_include x CHOICES prepend_as x DEFAULT include_as_seq] [-as_path REGEXP ^(as_set|as_seq|as_confed_set|as_confed_seq):\d(,\d)*$] x [-as_path_segment_type CHOICES as_set x CHOICES as_seq x CHOICES as_confed_set x CHOICES as_confed_seq x DEFAULT as_set] x [-num_as_numbers_in_segment NUMERIC x DEFAULT 1] x [-enable_as_path_segment CHOICES 0 1] x [-enable_as_path_segment_number CHOICES 0 1] x [-as_path_segment_numbers ANY] x [-vpls FLAG] x [-vpls_nlri FLAG] [-rd_admin_value ANY] x [-rd_admin_value_step ANY] n [-rd_admin_step ANY] [-rd_assign_value NUMERIC] x [-rd_assign_value_step NUMERIC] n [-rd_assign_step ANY] x [-control_word_enable CHOICES 0 1] x [-seq_delivery_enable CHOICES 0 1] x [-mtu RANGE 0-65535 x DEFAULT 1500] x [-site_id RANGE 0-65535 x DEFAULT 0]
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_route_config.py_part1
x [-ext_communities_as_four_bytes NUMERIC] x [-ext_communities_assigned_two_bytes NUMERIC] x [-ext_communities_assigned_four_bytes NUMERIC] x [-ext_communities_ip IP] x [-ext_communities_opaque_data ANY] x [-ext_communities_colorCObits CHOICES 00 01 10 11 x DEFAULT 00] x [-ext_communities_colorReservedBits NUMERIC] x [-ext_communities_colorValue NUMERIC] x [-ext_communities_link_bandwidth NUMERIC] x [-ext_communities_type CHOICES admin_as_two_octet x CHOICES admin_ip x CHOICES admin_as_four_octet x CHOICES opaque x CHOICES evpn x CHOICES admin_as_two_octet_link_bandwidth] x [-ext_communities_subtype CHOICES route_target x CHOICES origin x CHOICES extended_bandwidth x CHOICES mac_address x CHOICES color] [-cluster_list_enable FLAG] x [-num_clusters NUMERIC] [-cluster_list REGEXP ^([0-9]{1,3}.[0-9]{1,3}.[0-9]{1,3}.[0-9]{1,3}\s*)+|([0-9]+\s*)+$] x [-advertise_as_bgpls_prefix CHOICES 0 1] x [-route_origin CHOICES static direct] x [-advertise_as_bgp_3107 CHOICES 0 1] x [-label_id NUMERIC x DEFAULT 0] [-label_value NUMERIC DEFAULT 16] x [-label_end NUMERIC] [-label_step NUMERIC DEFAULT 1] x [-advertise_as_bgp_3107_sr CHOICES 0 1] x [-segmentId NUMERIC] x [-incrementMode CHOICES same increment] x [-specialLabel CHOICES none x CHOICES includeexplicitipv4null x CHOICES includeimplicitnull] x [-enableSRGB CHOICES 0 1] x [-advertise_as_rfc_8277 CHOICES 0 1] x [-no_of_labels RANGE 1-9 x DEFAULT 1] x [-mpls_label_step ANY] x [-mpls_label_start ANY] x [-mpls_label_end ANY] x [-enable_aigp CHOICES 0 1] x [-no_of_tlvs NUMERIC] x [-aigp_type CHOICES aigptlv] x [-aigp_value ANY] x [-enable_add_path CHOICES 0 1] x [-add_path_id NUMERIC] x [-enable_random_as_path CHOICES 0 1] x [-max_no_of_as_path_segments RANGE 1-20] x [-min_no_of_as_path_segments RANGE 1-20] x [-as_segment_distribution CHOICES as_set x CHOICES as_seq x CHOICES as_set_confederation x CHOICES as_seq_confederation x CHOICES random_segments x CHOICES random_between_asset_and_asseq x DEFAULT as_set] x [-max_as_numbers_per_segments RANGE 1-50] x [-min_as_numbers_per_segments RANGE 1-50] x [-range_of_as_number_suffix ALPHA] x [-as_path_per_route CHOICES same different x DEFAULT same] x [-random_as_seed_value RANGE 1-4294967295] x [-enable_as_path CHOICES 0 1] x [-num_as_path_segments NUMERIC x DEFAULT 1] x [-as_path_set_mode CHOICES include_as_seq x CHOICES include_as_seq_conf x CHOICES include_as_set x CHOICES include_as_set_conf x CHOICES no_include x CHOICES prepend_as x DEFAULT include_as_seq] [-as_path REGEXP ^(as_set|as_seq|as_confed_set|as_confed_seq):\d(,\d)*$] x [-as_path_segment_type CHOICES as_set x CHOICES as_seq x CHOICES as_confed_set x CHOICES as_confed_seq x DEFAULT as_set] x [-num_as_numbers_in_segment NUMERIC x DEFAULT 1] x [-enable_as_path_segment CHOICES 0 1] x [-enable_as_path_segment_number CHOICES 0 1] x [-as_path_segment_numbers ANY] x [-vpls FLAG] x [-vpls_nlri FLAG] [-rd_admin_value ANY] x [-rd_admin_value_step ANY] n [-rd_admin_step ANY] [-rd_assign_value NUMERIC] x [-rd_assign_value_step NUMERIC] n [-rd_assign_step ANY] x [-control_word_enable CHOICES 0 1] x [-seq_delivery_enable CHOICES 0 1] x [-mtu RANGE 0-65535 x DEFAULT 1500] x [-site_id RANGE 0-65535 x DEFAULT 0] x [-site_id_step RANGE 0-65535 x DEFAULT 0] [-target ANY] x [-target_inner_step ANY] x [-target_step ANY] [-target_assign NUMERIC] x [-target_assign_inner_step NUMERIC] x [-target_assign_step NUMERIC] [-rd_type CHOICES 0 1 2 DEFAULT 0] [-target_type CHOICES as ip as4] x [-vpn_name ALPHA] x [-advertise_label_block CHOICES 0 1] x [-num_labels RANGE 1-65535 x DEFAULT 1] [-num_labels_type CHOICES list single_value DEFAULT single_value] x [-label_block_offset RANGE 0-65535 x DEFAULT 0] x [-label_block_offset_type CHOICES list single_value x DEFAULT single_value] [-label_value_type CHOICES list single_value DEFAULT single_value] x [-l2_start_mac_addr MAC] n [-l2_mac_incr ANY] n [-l2_mac_count ANY] x [-l2_enable_vlan CHOICES 0 1 x DEFAULT 0] x [-l2_vlan_priority NUMERIC] x [-l2_vlan_tpid CHOICES 0x8100 x CHOICES 0x88a8 x CHOICES 0x9100 x CHOICES 0x9200 x CHOICES 0x9300] x [-l2_vlan_id RANGE 0-65535 x DEFAULT 1] x [-l2_vlan_id_incr NUMERIC] x [-l2_vlan_incr CHOICES 0 x CHOICES 1 x CHOICES 2 x CHOICES 3 x CHOICES no_increment x CHOICES parallel_increment x CHOICES inner_first x CHOICES outer_first x DEFAULT 0] x [-import_rt_as_export_rt CHOICES 0 1] x [-target_count NUMERIC] x [-import_target_count NUMERIC] n [-default_mdt_ip ANY] n [-default_mdt_ip_incr ANY] [-import_target ANY] n [-import_target_step ANY] x [-import_target_inner_step ANY] [-import_target_assign NUMERIC] [-import_target_type CHOICES as ip as4] n [-import_target_assign_step ANY] x [-import_target_assign_inner_step NUMERIC] n [-rd_count ANY] n [-rd_count_per_vrf ANY] n [-rd_admin_value_step_across_vrfs ANY] n [-rd_assign_value_step_across_vrfs ANY] x [-label_value_end NUMERIC] [-label_incr_mode CHOICES fixed rd prefix] x [-ad_vpls_nlri FLAG] x [-as_number_vpls_id ANY] x [-as_number_vpls_rd ANY] x [-as_number_vpls_rt ANY] x [-assigned_number_vpls_id ANY] x [-assigned_number_vpls_rd ANY] x [-assigned_number_vpls_rt ANY] x [-import_rd_as_rt CHOICES 0 1] x [-import_vpls_id_as_rd CHOICES 0 1] x [-ip_address_vpls_id ANY] x [-ip_address_vpls_rd ANY] x [-ip_address_vpls_rt ANY] x [-number_vsi_id ANY] x [-type_vpls_id CHOICES as ip] x [-type_vpls_rd CHOICES as ip] x [-type_vpls_rt CHOICES as ip] x [-type_vsi_id CHOICES concat_pe_addr concat_num] x [-override_peer_as_set_mode CHOICES 0 1] n [-no_write ANY] x [-best_routes CHOICES 0 1 x DEFAULT 0] x [-route_distribution_type CHOICES round_robin replicate x DEFAULT round_robin] x [-next_hop_modification_type CHOICES overwrite_testers_address x CHOICES preserve_from_file x DEFAULT overwrite_testers_address] x [-file_type CHOICES csv cisco juniper x DEFAULT csv] x [-route_file ANY] x [-route_limit RANGE 1-2000000 x DEFAULT 800000] x [-primary_routes_per_device RANGE 1-1000000 x DEFAULT 1000] x [-primary_routes_per_range RANGE 1-1000000 x DEFAULT 1] x [-duplicate_routes_per_device_percent RANGE 0-100 x DEFAULT 0] x [-network_address_start IP x DEFAULT 1.0.0.0] x [-network_address_step ANY x DEFAULT 2] x [-prefix_length_distribution_type CHOICES fixed x CHOICES random x CHOICES even x CHOICES exponential x CHOICES internet_mix x CHOICES custom_profile x DEFAULT even] x [-prefix_length_distribution_scope CHOICES per_device x CHOICES per_port
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_route_config.py_part2
x DEFAULT 0] x [-site_id_step RANGE 0-65535 x DEFAULT 0] [-target ANY] x [-target_inner_step ANY] x [-target_step ANY] [-target_assign NUMERIC] x [-target_assign_inner_step NUMERIC] x [-target_assign_step NUMERIC] [-rd_type CHOICES 0 1 2 DEFAULT 0] [-target_type CHOICES as ip as4] x [-vpn_name ALPHA] x [-advertise_label_block CHOICES 0 1] x [-num_labels RANGE 1-65535 x DEFAULT 1] [-num_labels_type CHOICES list single_value DEFAULT single_value] x [-label_block_offset RANGE 0-65535 x DEFAULT 0] x [-label_block_offset_type CHOICES list single_value x DEFAULT single_value] [-label_value_type CHOICES list single_value DEFAULT single_value] x [-l2_start_mac_addr MAC] n [-l2_mac_incr ANY] n [-l2_mac_count ANY] x [-l2_enable_vlan CHOICES 0 1 x DEFAULT 0] x [-l2_vlan_priority NUMERIC] x [-l2_vlan_tpid CHOICES 0x8100 x CHOICES 0x88a8 x CHOICES 0x9100 x CHOICES 0x9200 x CHOICES 0x9300] x [-l2_vlan_id RANGE 0-65535 x DEFAULT 1] x [-l2_vlan_id_incr NUMERIC] x [-l2_vlan_incr CHOICES 0 x CHOICES 1 x CHOICES 2 x CHOICES 3 x CHOICES no_increment x CHOICES parallel_increment x CHOICES inner_first x CHOICES outer_first x DEFAULT 0] x [-import_rt_as_export_rt CHOICES 0 1] x [-target_count NUMERIC] x [-import_target_count NUMERIC] n [-default_mdt_ip ANY] n [-default_mdt_ip_incr ANY] [-import_target ANY] n [-import_target_step ANY] x [-import_target_inner_step ANY] [-import_target_assign NUMERIC] [-import_target_type CHOICES as ip as4] n [-import_target_assign_step ANY] x [-import_target_assign_inner_step NUMERIC] n [-rd_count ANY] n [-rd_count_per_vrf ANY] n [-rd_admin_value_step_across_vrfs ANY] n [-rd_assign_value_step_across_vrfs ANY] x [-label_value_end NUMERIC] [-label_incr_mode CHOICES fixed rd prefix] x [-ad_vpls_nlri FLAG] x [-as_number_vpls_id ANY] x [-as_number_vpls_rd ANY] x [-as_number_vpls_rt ANY] x [-assigned_number_vpls_id ANY] x [-assigned_number_vpls_rd ANY] x [-assigned_number_vpls_rt ANY] x [-import_rd_as_rt CHOICES 0 1] x [-import_vpls_id_as_rd CHOICES 0 1] x [-ip_address_vpls_id ANY] x [-ip_address_vpls_rd ANY] x [-ip_address_vpls_rt ANY] x [-number_vsi_id ANY] x [-type_vpls_id CHOICES as ip] x [-type_vpls_rd CHOICES as ip] x [-type_vpls_rt CHOICES as ip] x [-type_vsi_id CHOICES concat_pe_addr concat_num] x [-override_peer_as_set_mode CHOICES 0 1] n [-no_write ANY] x [-best_routes CHOICES 0 1 x DEFAULT 0] x [-route_distribution_type CHOICES round_robin replicate x DEFAULT round_robin] x [-next_hop_modification_type CHOICES overwrite_testers_address x CHOICES preserve_from_file x DEFAULT overwrite_testers_address] x [-file_type CHOICES csv cisco juniper x DEFAULT csv] x [-route_file ANY] x [-route_limit RANGE 1-2000000 x DEFAULT 800000] x [-primary_routes_per_device RANGE 1-1000000 x DEFAULT 1000] x [-primary_routes_per_range RANGE 1-1000000 x DEFAULT 1] x [-duplicate_routes_per_device_percent RANGE 0-100 x DEFAULT 0] x [-network_address_start IP x DEFAULT 1.0.0.0] x [-network_address_step ANY x DEFAULT 2] x [-prefix_length_distribution_type CHOICES fixed x CHOICES random x CHOICES even x CHOICES exponential x CHOICES internet_mix x CHOICES custom_profile x DEFAULT even] x [-prefix_length_distribution_scope CHOICES per_device x CHOICES per_port x CHOICES per_topology x DEFAULT per_port] x [-custom_distribution_file ANY] x [-prefix_length_start RANGE 1-32 x DEFAULT 8] x [-prefix_length_end RANGE 1-32 x DEFAULT 30] x [-primary_routes_as_path_suffix ALPHA x DEFAULT 100,200,300] x [-duplicate_routes_as_path_suffix ALPHA x DEFAULT 500,600] x [-skip_mcast CHOICES 0 1 x DEFAULT 0] x [-skip_loopback CHOICES 0 1 x DEFAULT 0] x [-address_range_to_skip ALPHA] x [-primary_ipv6_routes_per_range RANGE 1-1000000 x DEFAULT 1] x [-primary_ipv6_routes_per_device RANGE 1-1000000 x DEFAULT 1000] x [-duplicate_ipv6_routes_per_device_percent RANGE 0-100 x DEFAULT 0] x [-ipv6_network_address_start IP x DEFAULT 1000:0:1:1:0:0:0:0] x [-ipv6_network_address_step ANY x DEFAULT 2] x [-ipv6_prefix_length_distribution_type CHOICES fixed x CHOICES random x CHOICES even x CHOICES exponential x CHOICES internet_mix x CHOICES custom_profile x DEFAULT even] x [-ipv6_prefix_length_distribution_scope CHOICES per_device x CHOICES per_port x CHOICES per_topology x DEFAULT per_port] x [-ipv6_custom_distribution_file ANY] x [-ipv6_prefix_length_start RANGE 1-128 x DEFAULT 64] x [-ipv6_prefix_length_end RANGE 1-128 x DEFAULT 64] x [-primary_ipv6_routes_as_path_suffix ALPHA x DEFAULT 100,200,300] x [-duplicate_ipv6_routes_as_path_suffix ALPHA x DEFAULT 500,600] x [-ipv6_skip_mcast CHOICES 0 1 x DEFAULT 0] x [-ipv6_skip_loopback CHOICES 0 1 x DEFAULT 0] x [-ipv6_address_range_to_skip ALPHA] x [-num_broadcast_domain NUMERIC] x [-auto_configure_rd_ip_address CHOICES 0 1] x [-rd_ip_address ANY] x [-rd_evi ANY] x [-enable_l3vni_target_list CHOICES 0 1] x [-advertise_l3vni_separately CHOICES 0 1] x [-b_mac_first_label ANY] x [-enable_b_mac_second_label CHOICES 0 1] x [-b_mac_second_label ANY] x [-ad_route_label ANY] x [-multicast_tunnel_type CHOICES tunneltypeingressreplication x CHOICES tunneltypersvpp2mp x CHOICES tunneltypemldpp2mp] x [-use_upstream_downstream_assigned_mpls_label CHOICES 0 1] x [-include_pmsi_tunnel_attribute CHOICES 0 1] x [-auto_configure_pmsi_tunnel_id CHOICES 0 1] x [-pmsi_tunnel_id_v4 IPV4] x [-pmsi_tunnel_id_v6 IPV6] x [-upstream_downstream_assigned_mpls_label ANY] x [-use_ipv4_mapped_ipv6_address CHOICES 0 1] x [-l3_target_count NUMERIC] x [-l3_import_target_count NUMERIC] x [-l3_import_rt_same_as_l3_export_rt CHOICES 0 1] [-l3_target_type CHOICES as ip as4] [-l3_target ANY] x [-l3_target_inner_step ANY] x [-l3_target_step ANY] x [-l3_target_as4_number NUMERIC] x [-l3_target_ip_address IP] [-l3_target_assign NUMERIC] x [-l3_target_assign_inner_step NUMERIC] x [-l3_target_assign_step NUMERIC] [-l3_import_target_type CHOICES as ip as4] [-l3_import_target ANY] n [-l3_import_target_step ANY] x [-l3_import_target_inner_step ANY] x [-l3_import_target_as4_number NUMERIC] x [-l3_import_target_ip_address IP] [-l3_import_target_assign NUMERIC] n [-l3_import_target_assign_step ANY] x [-l3_import_target_assign_inner_step NUMERIC] x [-enable_next_hop CHOICES 0 1] x [-set_next_hop CHOICES manually sameaslocalip] x [-set_next_hop_ip_type CHOICES ipv4 ipv6] x [-ipv4_next_hop ANY] x [-ipv6_next_hop ANY] x [-enable_origin CHOICES 0 1] x [-enable_local_preference CHOICES 0 1] x [-local_preference ANY] x [-enable_multi_exit_discriminator CHOICES 0 1]
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_route_config.py_part3
x CHOICES per_port x CHOICES per_topology x DEFAULT per_port] x [-custom_distribution_file ANY] x [-prefix_length_start RANGE 1-32 x DEFAULT 8] x [-prefix_length_end RANGE 1-32 x DEFAULT 30] x [-primary_routes_as_path_suffix ALPHA x DEFAULT 100,200,300] x [-duplicate_routes_as_path_suffix ALPHA x DEFAULT 500,600] x [-skip_mcast CHOICES 0 1 x DEFAULT 0] x [-skip_loopback CHOICES 0 1 x DEFAULT 0] x [-address_range_to_skip ALPHA] x [-primary_ipv6_routes_per_range RANGE 1-1000000 x DEFAULT 1] x [-primary_ipv6_routes_per_device RANGE 1-1000000 x DEFAULT 1000] x [-duplicate_ipv6_routes_per_device_percent RANGE 0-100 x DEFAULT 0] x [-ipv6_network_address_start IP x DEFAULT 1000:0:1:1:0:0:0:0] x [-ipv6_network_address_step ANY x DEFAULT 2] x [-ipv6_prefix_length_distribution_type CHOICES fixed x CHOICES random x CHOICES even x CHOICES exponential x CHOICES internet_mix x CHOICES custom_profile x DEFAULT even] x [-ipv6_prefix_length_distribution_scope CHOICES per_device x CHOICES per_port x CHOICES per_topology x DEFAULT per_port] x [-ipv6_custom_distribution_file ANY] x [-ipv6_prefix_length_start RANGE 1-128 x DEFAULT 64] x [-ipv6_prefix_length_end RANGE 1-128 x DEFAULT 64] x [-primary_ipv6_routes_as_path_suffix ALPHA x DEFAULT 100,200,300] x [-duplicate_ipv6_routes_as_path_suffix ALPHA x DEFAULT 500,600] x [-ipv6_skip_mcast CHOICES 0 1 x DEFAULT 0] x [-ipv6_skip_loopback CHOICES 0 1 x DEFAULT 0] x [-ipv6_address_range_to_skip ALPHA] x [-num_broadcast_domain NUMERIC] x [-auto_configure_rd_ip_address CHOICES 0 1] x [-rd_ip_address ANY] x [-rd_evi ANY] x [-enable_l3vni_target_list CHOICES 0 1] x [-advertise_l3vni_separately CHOICES 0 1] x [-b_mac_first_label ANY] x [-enable_b_mac_second_label CHOICES 0 1] x [-b_mac_second_label ANY] x [-ad_route_label ANY] x [-multicast_tunnel_type CHOICES tunneltypeingressreplication x CHOICES tunneltypersvpp2mp x CHOICES tunneltypemldpp2mp] x [-use_upstream_downstream_assigned_mpls_label CHOICES 0 1] x [-include_pmsi_tunnel_attribute CHOICES 0 1] x [-auto_configure_pmsi_tunnel_id CHOICES 0 1] x [-pmsi_tunnel_id_v4 IPV4] x [-pmsi_tunnel_id_v6 IPV6] x [-upstream_downstream_assigned_mpls_label ANY] x [-use_ipv4_mapped_ipv6_address CHOICES 0 1] x [-l3_target_count NUMERIC] x [-l3_import_target_count NUMERIC] x [-l3_import_rt_same_as_l3_export_rt CHOICES 0 1] [-l3_target_type CHOICES as ip as4] [-l3_target ANY] x [-l3_target_inner_step ANY] x [-l3_target_step ANY] x [-l3_target_as4_number NUMERIC] x [-l3_target_ip_address IP] [-l3_target_assign NUMERIC] x [-l3_target_assign_inner_step NUMERIC] x [-l3_target_assign_step NUMERIC] [-l3_import_target_type CHOICES as ip as4] [-l3_import_target ANY] n [-l3_import_target_step ANY] x [-l3_import_target_inner_step ANY] x [-l3_import_target_as4_number NUMERIC] x [-l3_import_target_ip_address IP] [-l3_import_target_assign NUMERIC] n [-l3_import_target_assign_step ANY] x [-l3_import_target_assign_inner_step NUMERIC] x [-enable_next_hop CHOICES 0 1] x [-set_next_hop CHOICES manually sameaslocalip] x [-set_next_hop_ip_type CHOICES ipv4 ipv6] x [-ipv4_next_hop ANY] x [-ipv6_next_hop ANY] x [-enable_origin CHOICES 0 1] x [-enable_local_preference CHOICES 0 1] x [-local_preference ANY] x [-enable_multi_exit_discriminator CHOICES 0 1] x [-multi_exit_discriminator ANY] x [-enable_atomic_aggregate CHOICES 0 1] x [-enable_aggregator_id CHOICES 0 1] x [-enable_originator_id CHOICES 0 1] x [-evpn FLAG] x [-pbb_evpn FLAG] x [-evpn_vxlan FLAG] x [-evpn_vpws FLAG] x [-vxlan_vpws FLAG] x [-ethernet_tag_id NUMERIC] x [-enable_vlan_aware_service CHOICES 0 1] x [-useb_vlan CHOICES 0 1] x [-b_vlan_id NUMERIC] x [-b_vlan_priority NUMERIC] x [-b_vlan_tpid CHOICES bvlantpid8100 x CHOICES bvlantpid88a8 x CHOICES bvlantpid9100 x CHOICES bvlantpid9200 x CHOICES bvlantpid9300] x [-broadcast_domain_ad_route_label NUMERIC] x [-no_of_mac_pools NUMERIC] x [-enable_broadcast_domain CHOICES 0 1] x [-use_same_sequence_number CHOICES 0 1] x [-enable_user_defined_sequence_number ANY] x [-sequence_number ANY] x [-advertise_ipv4_address CHOICES 0 1] x [-ipv4_address_prefix_length NUMERIC] x [-advertise_ipv6_address CHOICES 0 1] x [-ipv6_address_prefix_length NUMERIC] x [-active_ts CHOICES 0 1] x [-enable_sticky_static_flag CHOICES 0 1] x [-include_default_gateway_extended_community CHOICES 0 1] x [-first_label_start ANY] x [-enable_second_label CHOICES 0 1] x [-second_label_start ANY] x [-label_mode CHOICES fixed increment] x [-label_start NUMERIC] x [-cmac FLAG] x [-evpn_ipv4_prefix_range FLAG] x [-evpn_ipv6_prefix_range FLAG] x [-export_rt_as_number NUMERIC] x [-export_rt_as4_number NUMERIC] x [-export_rt_ip_address IP] x [-export_rt_assigned_number NUMERIC] x [-export_rt_type CHOICES as ip as4] x [-import_rt_as_number NUMERIC] x [-import_rt_as4_number NUMERIC] x [-import_rt_ip_address IP] x [-import_rt_assigned_number NUMERIC] x [-import_rt_type CHOICES as ip as4] x [-multicast_tunnel_type_vxlan CHOICES tunneltypeingressreplication x CHOICES pimsm x CHOICES pimssm] x [-group_address ANY] x [-sender_address_p_root_node_address ANY] x [-group_address_v6 ANY] x [-sender_address_p_root_node_address_v6 ANY] x [-rsvp_p2mp_id ANY] x [-rsvp_p2mp_id_as_number ANY] x [-rsvp_tunnel_id ANY] x [-remote_service_id ANY] x [-vid_normalization CHOICES vpws singlevid doublevid] x [-include_vpws_l2_attr_ext_comm ANY] x [-primary_p_e ANY] x [-backup_flag ANY] x [-require_c_w ANY] x [-l2_mtu ANY] x [-fxc_type CHOICES vpws vlanaware vlanunaware] x [-root_address ANY] x [-name ANY] x [-type ANY] x [-tlv_length ANY] x [-value ANY] x [-advertise_srv6_sid CHOICES 0 1] x [-srv6_sid_loc IPV6] x [-srv6_sid_step IPV6] x [-inc_srv6_sid_struct_ss_tlv CHOICES 0 1] x [-loc_block_length NUMERIC] x [-loc_node_length NUMERIC] x [-function_length NUMERIC] x [-argument_length NUMERIC] x [-mv_enable_transposition CHOICES 0 1] x [-tranposition_length NUMERIC] x [-tranposition_offset NUMERIC] x [-srv6_sid_loc_len NUMERIC] x [-adv_srv6_sid_in_igp CHOICES 0 1] x [-srv6_sid_loc_metric NUMERIC] x [-srv6_sid_reserved HEX] x [-srv6_sid_flags HEX] x [-srv6_sid_reserved1 HEX] x [-srv6_endpoint_behavior HEX] x [-srv6_sid_reserved2 HEX] x [-send_srv6_sid_optional_info CHOICES 0 1] x [-srv6_sid_optional_information HEX] x [-advertise_srv6_sid_pmsi CHOICES 0 1] x [-srv6_sid_loc_pmsi IPV6] x [-srv6_sid_loc_len_pmsi NUMERIC]
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_route_config.py_part4
x [-enable_multi_exit_discriminator CHOICES 0 1] x [-multi_exit_discriminator ANY] x [-enable_atomic_aggregate CHOICES 0 1] x [-enable_aggregator_id CHOICES 0 1] x [-enable_originator_id CHOICES 0 1] x [-evpn FLAG] x [-pbb_evpn FLAG] x [-evpn_vxlan FLAG] x [-evpn_vpws FLAG] x [-vxlan_vpws FLAG] x [-ethernet_tag_id NUMERIC] x [-enable_vlan_aware_service CHOICES 0 1] x [-useb_vlan CHOICES 0 1] x [-b_vlan_id NUMERIC] x [-b_vlan_priority NUMERIC] x [-b_vlan_tpid CHOICES bvlantpid8100 x CHOICES bvlantpid88a8 x CHOICES bvlantpid9100 x CHOICES bvlantpid9200 x CHOICES bvlantpid9300] x [-broadcast_domain_ad_route_label NUMERIC] x [-no_of_mac_pools NUMERIC] x [-enable_broadcast_domain CHOICES 0 1] x [-use_same_sequence_number CHOICES 0 1] x [-enable_user_defined_sequence_number ANY] x [-sequence_number ANY] x [-advertise_ipv4_address CHOICES 0 1] x [-ipv4_address_prefix_length NUMERIC] x [-advertise_ipv6_address CHOICES 0 1] x [-ipv6_address_prefix_length NUMERIC] x [-active_ts CHOICES 0 1] x [-enable_sticky_static_flag CHOICES 0 1] x [-include_default_gateway_extended_community CHOICES 0 1] x [-first_label_start ANY] x [-enable_second_label CHOICES 0 1] x [-second_label_start ANY] x [-label_mode CHOICES fixed increment] x [-label_start NUMERIC] x [-cmac FLAG] x [-evpn_ipv4_prefix_range FLAG] x [-evpn_ipv6_prefix_range FLAG] x [-export_rt_as_number NUMERIC] x [-export_rt_as4_number NUMERIC] x [-export_rt_ip_address IP] x [-export_rt_assigned_number NUMERIC] x [-export_rt_type CHOICES as ip as4] x [-import_rt_as_number NUMERIC] x [-import_rt_as4_number NUMERIC] x [-import_rt_ip_address IP] x [-import_rt_assigned_number NUMERIC] x [-import_rt_type CHOICES as ip as4] x [-multicast_tunnel_type_vxlan CHOICES tunneltypeingressreplication x CHOICES pimsm x CHOICES pimssm] x [-group_address ANY] x [-sender_address_p_root_node_address ANY] x [-group_address_v6 ANY] x [-sender_address_p_root_node_address_v6 ANY] x [-rsvp_p2mp_id ANY] x [-rsvp_p2mp_id_as_number ANY] x [-rsvp_tunnel_id ANY] x [-remote_service_id ANY] x [-vid_normalization CHOICES vpws singlevid doublevid] x [-include_vpws_l2_attr_ext_comm ANY] x [-primary_p_e ANY] x [-backup_flag ANY] x [-require_c_w ANY] x [-l2_mtu ANY] x [-fxc_type CHOICES vpws vlanaware vlanunaware] x [-root_address ANY] x [-name ANY] x [-type ANY] x [-tlv_length ANY] x [-value ANY] x [-advertise_srv6_sid CHOICES 0 1] x [-srv6_sid_loc IPV6] x [-srv6_sid_step IPV6] x [-inc_srv6_sid_struct_ss_tlv CHOICES 0 1] x [-loc_block_length NUMERIC] x [-loc_node_length NUMERIC] x [-function_length NUMERIC] x [-argument_length NUMERIC] x [-mv_enable_transposition CHOICES 0 1] x [-tranposition_length NUMERIC] x [-tranposition_offset NUMERIC] x [-srv6_sid_loc_len NUMERIC] x [-adv_srv6_sid_in_igp CHOICES 0 1] x [-srv6_sid_loc_metric NUMERIC] x [-srv6_sid_reserved HEX] x [-srv6_sid_flags HEX] x [-srv6_sid_reserved1 HEX] x [-srv6_endpoint_behavior HEX] x [-srv6_sid_reserved2 HEX] x [-send_srv6_sid_optional_info CHOICES 0 1] x [-srv6_sid_optional_information HEX] x [-advertise_srv6_sid_pmsi CHOICES 0 1] x [-srv6_sid_loc_pmsi IPV6] x [-srv6_sid_loc_len_pmsi NUMERIC] x [-adv_srv6_sid_in_igp_pmsi CHOICES 0 1] x [-srv6_sid_loc_metric_pmsi NUMERIC] x [-srv6_sid_reserved_pmsi HEX] x [-srv6_sid_flags_pmsi HEX] x [-srv6_sid_reserved1_pmsi HEX] x [-srv6_endpoint_behavior_pmsi HEX] x [-srv6_sid_reserved2_pmsi HEX] x [-send_srv6_sid_optional_info_pmsi CHOICES 0 1] x [-srv6_sid_optional_information_pmsi HEX] x [-bd_advertise_srv6_sid CHOICES 0 1] x [-bd_srv6_sid_loc IPV6] x [-bd_inc_srv6_sid_struct_ss_tlv CHOICES 0 1] x [-bd_loc_block_length NUMERIC] x [-bd_loc_node_length NUMERIC] x [-bd_function_length NUMERIC] x [-bd_argument_length NUMERIC] x [-bd_mv_enable_transposition CHOICES 0 1] x [-bd_tranposition_length NUMERIC] x [-bd_tranposition_offset NUMERIC] x [-bd_srv6_sid_loc_len NUMERIC] x [-bd_adv_srv6_sid_in_igp CHOICES 0 1] x [-bd_srv6_sid_loc_metric NUMERIC] x [-bd_srv6_sid_reserved HEX] x [-bd_srv6_sid_flags HEX] x [-bd_srv6_sid_reserved1 HEX] x [-bd_srv6_endpoint_behavior HEX] x [-bd_srv6_sid_reserved2 HEX] x [-bd_send_srv6_sid_optional_info CHOICES 0 1] x [-bd_srv6_sid_optional_information HEX] x [-cmac_l2_advertise_srv6_sid CHOICES 0 1] x [-cmac_l2_srv6_sid_loc IPV6] x [-cmac_l2_srv6_sid_step IPV6] x [-cmac_l2_srv6_sid_loc_len NUMERIC] x [-cmac_l2_adv_srv6_sid_in_igp CHOICES 0 1] x [-cmac_l2_srv6_sid_loc_metric NUMERIC] x [-cmac_l2_srv6_sid_reserved HEX] x [-cmac_l2_srv6_sid_flags HEX] x [-cmac_l2_srv6_sid_reserved1 HEX] x [-cmac_l2_srv6_endpoint_behavior HEX] x [-cmac_l2_srv6_sid_reserved2 HEX] x [-cmac_l2_send_srv6_sid_optional_info CHOICES 0 1] x [-cmac_l2_srv6_sid_optional_information HEX] x [-cmac_l3_advertise_srv6_sid CHOICES 0 1] x [-cmac_l3_srv6_sid_loc IPV6] x [-cmac_l3_srv6_sid_step IPV6] x [-cmac_l3_srv6_sid_loc_len NUMERIC] x [-cmac_l3_adv_srv6_sid_in_igp CHOICES 0 1] x [-cmac_l3_srv6_sid_loc_metric NUMERIC] x [-cmac_l3_srv6_sid_reserved HEX] x [-cmac_l3_srv6_sid_flags HEX] x [-cmac_l3_srv6_sid_reserved1 HEX] x [-cmac_l3_srv6_endpoint_behavior HEX] x [-cmac_l3_srv6_sid_reserved2 HEX] x [-cmac_l3_send_srv6_sid_optional_info CHOICES 0 1] x [-cmac_l3_srv6_sid_optional_information HEX] x [-enable_srv6_sid CHOICES 0 1] x [-l3vpn_srv6_sid_loc IPV6] x [-l3vpn_srv6_sid_step IPV6] x [-l3vpn_inc_srv6_sid_struct_ss_tlv CHOICES 0 1] x [-l3vpn_loc_block_length NUMERIC] x [-l3vpn_loc_node_length NUMERIC] x [-l3vpn_function_length NUMERIC] x [-l3vpn_argument_length NUMERIC] x [-l3vpn_enable_transposition CHOICES 0 1] x [-l3vpn_transposition_mode CHOICES manual auto] x [-l3vpn_transposition_alignment CHOICES none byte] x [-l3vpn_tranposition_length NUMERIC] x [-l3vpn_tranposition_offset NUMERIC] x [-l3vpn_srv6_sid_loc_len NUMERIC] x [-l3vpn_adv_srv6_sid_in_igp CHOICES 0 1] x [-l3vpn_srv6_sid_loc_metric NUMERIC] x [-l3vpn_srv6_sid_reserved HEX] x [-l3vpn_srv6_sid_flags HEX] x [-l3vpn_srv6_sid_reserved1 HEX] x [-l3vpn_srv6_endpoint_behavior HEX]
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_route_config.py_part5
x [-srv6_sid_loc_len_pmsi NUMERIC] x [-adv_srv6_sid_in_igp_pmsi CHOICES 0 1] x [-srv6_sid_loc_metric_pmsi NUMERIC] x [-srv6_sid_reserved_pmsi HEX] x [-srv6_sid_flags_pmsi HEX] x [-srv6_sid_reserved1_pmsi HEX] x [-srv6_endpoint_behavior_pmsi HEX] x [-srv6_sid_reserved2_pmsi HEX] x [-send_srv6_sid_optional_info_pmsi CHOICES 0 1] x [-srv6_sid_optional_information_pmsi HEX] x [-bd_advertise_srv6_sid CHOICES 0 1] x [-bd_srv6_sid_loc IPV6] x [-bd_inc_srv6_sid_struct_ss_tlv CHOICES 0 1] x [-bd_loc_block_length NUMERIC] x [-bd_loc_node_length NUMERIC] x [-bd_function_length NUMERIC] x [-bd_argument_length NUMERIC] x [-bd_mv_enable_transposition CHOICES 0 1] x [-bd_tranposition_length NUMERIC] x [-bd_tranposition_offset NUMERIC] x [-bd_srv6_sid_loc_len NUMERIC] x [-bd_adv_srv6_sid_in_igp CHOICES 0 1] x [-bd_srv6_sid_loc_metric NUMERIC] x [-bd_srv6_sid_reserved HEX] x [-bd_srv6_sid_flags HEX] x [-bd_srv6_sid_reserved1 HEX] x [-bd_srv6_endpoint_behavior HEX] x [-bd_srv6_sid_reserved2 HEX] x [-bd_send_srv6_sid_optional_info CHOICES 0 1] x [-bd_srv6_sid_optional_information HEX] x [-cmac_l2_advertise_srv6_sid CHOICES 0 1] x [-cmac_l2_srv6_sid_loc IPV6] x [-cmac_l2_srv6_sid_step IPV6] x [-cmac_l2_srv6_sid_loc_len NUMERIC] x [-cmac_l2_adv_srv6_sid_in_igp CHOICES 0 1] x [-cmac_l2_srv6_sid_loc_metric NUMERIC] x [-cmac_l2_srv6_sid_reserved HEX] x [-cmac_l2_srv6_sid_flags HEX] x [-cmac_l2_srv6_sid_reserved1 HEX] x [-cmac_l2_srv6_endpoint_behavior HEX] x [-cmac_l2_srv6_sid_reserved2 HEX] x [-cmac_l2_send_srv6_sid_optional_info CHOICES 0 1] x [-cmac_l2_srv6_sid_optional_information HEX] x [-cmac_l3_advertise_srv6_sid CHOICES 0 1] x [-cmac_l3_srv6_sid_loc IPV6] x [-cmac_l3_srv6_sid_step IPV6] x [-cmac_l3_srv6_sid_loc_len NUMERIC] x [-cmac_l3_adv_srv6_sid_in_igp CHOICES 0 1] x [-cmac_l3_srv6_sid_loc_metric NUMERIC] x [-cmac_l3_srv6_sid_reserved HEX] x [-cmac_l3_srv6_sid_flags HEX] x [-cmac_l3_srv6_sid_reserved1 HEX] x [-cmac_l3_srv6_endpoint_behavior HEX] x [-cmac_l3_srv6_sid_reserved2 HEX] x [-cmac_l3_send_srv6_sid_optional_info CHOICES 0 1] x [-cmac_l3_srv6_sid_optional_information HEX] x [-enable_srv6_sid CHOICES 0 1] x [-l3vpn_srv6_sid_loc IPV6] x [-l3vpn_srv6_sid_step IPV6] x [-l3vpn_inc_srv6_sid_struct_ss_tlv CHOICES 0 1] x [-l3vpn_loc_block_length NUMERIC] x [-l3vpn_loc_node_length NUMERIC] x [-l3vpn_function_length NUMERIC] x [-l3vpn_argument_length NUMERIC] x [-l3vpn_enable_transposition CHOICES 0 1] x [-l3vpn_transposition_mode CHOICES manual auto] x [-l3vpn_transposition_alignment CHOICES none byte] x [-l3vpn_tranposition_length NUMERIC] x [-l3vpn_tranposition_offset NUMERIC] x [-l3vpn_srv6_sid_loc_len NUMERIC] x [-l3vpn_adv_srv6_sid_in_igp CHOICES 0 1] x [-l3vpn_srv6_sid_loc_metric NUMERIC] x [-l3vpn_srv6_sid_reserved HEX] x [-l3vpn_srv6_sid_flags HEX] x [-l3vpn_srv6_sid_reserved1 HEX] x [-l3vpn_srv6_endpoint_behavior HEX] x [-l3vpn_srv6_sid_reserved2 HEX] x [-l3vpn_send_srv6_sid_optional_info CHOICES 0 1] x [-l3vpn_srv6_sid_optional_information HEX] x [-enable_ipv4_receiver CHOICES 0 1] x [-enable_ipv4_sender CHOICES 0 1] x [-enable_ipv6_receiver CHOICES 0 1] x [-enable_ipv6_sender CHOICES 0 1] Arguments: -handle Valid values are: BGP router handle - handle is returned by procedure emulation_bgp_config. A new route will be added when -mode is add. BGP route handle - Valid only for IxNetwork Tcl API (new api). Handle is returned by procedure emulation_bgp_route_config with 'bgp_routes' key. Valid only for mode remove. The object will be removed. BGP L2Site handle - Valid only for IxNetwork Tcl API (new api). Handle is returned by procedure emulation_bgp_route_config with 'bgp_routes' key. When mode is remove the L2Site will be removed. When mode is add a new label block will be added to the provided L2Site. BGP L3Site handle - Valid only for IxNetwork Tcl API (new api). Handle is returned by procedure emulation_bgp_route_config with 'bgp_routes' key. When mode is remove the L3Site will be removed. When mode is add a new vpn route range will be added to the provided L3Site. -route_handle The handle of the BGP route where to take action. -l3_site_handle The handle of the L3 VPN Site where to take action. -mode Specifies either addition or removal of routes from emulated nodes BGP table. x -protocol_name x This is the name of the protocol stack as it appears in the GUI. x -protocol_route_name x This is the name of the protocol stack as it appears in the GUI. x -active x Activates the item -ipv4_unicast_nlri Enables the emulation of routes for IPv4 unicast. This option is mandatory if user wants to give a network_group_handle to bgp_route_config without creating a new network group. Learned routes filter is enabled at neighbor level for IxTclProcol, for IxTclNetwork the filters are set in emulation_bgp_config. The priority of the flags is the following VPN (L3 Sites), AD VPLS (L2 VPN), VPLS (L2 Sites), MPLS, Unicast/Multicast. Only one of the three route categories can be emulated in a single emulation_bgp_route_config call, the selection is made based on priority. n -ipv4_multicast_nlri n This argument defined by Cisco is not supported for NGPF implementation. n -ipv4_mpls_nlri n This argument defined by Cisco is not supported for NGPF implementation. -ipv4_mpls_vpn_nlri Enables the emulation of routes for IPv4 MPLS VPNs. Learned routes filter is enabled at neighbor level for IxTclProcol, for IxTclNetwork the filters are set in emulation_bgp_config. The priority of the flags is the following VPN (L3 Sites), AD VPLS (L2 VPN), VPLS (L2 Sites), MPLS, Unicast/Multicast. Only one of the three route categories can be emulated in a single emulation_bgp_route_config call, the selection is made based on priority. Requires parameter num_sites to be present in order to create VPN route ranges. -ipv6_unicast_nlri Enables the emulation of routes for IPv6 unicast. Learned routes filter is enabled at neighbor level for IxTclProcol, for IxTclNetwork the filters are set in emulation_bgp_config. The priority of the flags is the following VPN (L3 Sites), AD VPLS (L2 VPN), VPLS (L2 Sites), MPLS, Unicast/Multicast. Only one of the three route categories can be emulated in a single emulation_bgp_route_config call, the selection is made based on priority. n -ipv6_multicast_nlri n This argument defined by Cisco is not supported for NGPF implementation. n -ipv6_mpls_nlri n This argument defined by Cisco is not supported for NGPF implementation. -ipv6_mpls_vpn_nlri Enables the emulation of routes for IPv6 MPLS VPNs. Learned routes filter is enabled at neighbor level for IxTclProcol, for IxTclNetwork the filters are set in emulation_bgp_config. The priority of the flags is the following VPN (L3 Sites), AD VPLS (L2 VPN), VPLS (L2 Sites), MPLS, Unicast/Multicast. Only one of the three route categories can be emulated in a single emulation_bgp_route_config call, the selection is made based on priority. Requires parameter num_sites to be present in order to create VPN route ranges. -max_route_ranges The number of route ranges, mpls route ranges, vpn routes to create under the BGP neighbor or the number of label blocks to create under the BGP neighbor when VPLS is enabled. -ip_version The IP version of the BGP route to be created. -prefix Route prefix to be advertised / removed by emulated BGP node. -route_ip_addr_step IP address increment step between the multiple route ranges created under the BGP neighbor, based on -max_route_ranges. n -prefix_step_accross_vrfs n This argument defined by Cisco is not supported for NGPF implementation. -num_routes Number of routes to advertise, using the prefix as the starting prefix and incrementing based upon the -prefix_step and the -netmask arguments. -num_sites Number of L2/L3 VPN sites (PEs) to be created on a BGP neighbor. x -prefix_from x The first prefix length to generate based on the -prefix. n -prefix_to n This argument defined by Cisco is not supported for NGPF implementation. n -prefix_step n This argument defined by Cisco is not supported for NGPF implementation. n -prefix_step_across_vrfs n This argument defined by Cisco is not supported for NGPF implementation. -netmask Netmask of the advertised routes. -ipv6_prefix_length
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_route_config.py_part6
x [-l3vpn_srv6_endpoint_behavior HEX] x [-l3vpn_srv6_sid_reserved2 HEX] x [-l3vpn_send_srv6_sid_optional_info CHOICES 0 1] x [-l3vpn_srv6_sid_optional_information HEX] x [-enable_ipv4_receiver CHOICES 0 1] x [-enable_ipv4_sender CHOICES 0 1] x [-enable_ipv6_receiver CHOICES 0 1] x [-enable_ipv6_sender CHOICES 0 1] Arguments: -handle Valid values are: BGP router handle - handle is returned by procedure emulation_bgp_config. A new route will be added when -mode is add. BGP route handle - Valid only for IxNetwork Tcl API (new api). Handle is returned by procedure emulation_bgp_route_config with 'bgp_routes' key. Valid only for mode remove. The object will be removed. BGP L2Site handle - Valid only for IxNetwork Tcl API (new api). Handle is returned by procedure emulation_bgp_route_config with 'bgp_routes' key. When mode is remove the L2Site will be removed. When mode is add a new label block will be added to the provided L2Site. BGP L3Site handle - Valid only for IxNetwork Tcl API (new api). Handle is returned by procedure emulation_bgp_route_config with 'bgp_routes' key. When mode is remove the L3Site will be removed. When mode is add a new vpn route range will be added to the provided L3Site. -route_handle The handle of the BGP route where to take action. -l3_site_handle The handle of the L3 VPN Site where to take action. -mode Specifies either addition or removal of routes from emulated nodes BGP table. x -protocol_name x This is the name of the protocol stack as it appears in the GUI. x -protocol_route_name x This is the name of the protocol stack as it appears in the GUI. x -active x Activates the item -ipv4_unicast_nlri Enables the emulation of routes for IPv4 unicast. This option is mandatory if user wants to give a network_group_handle to bgp_route_config without creating a new network group. Learned routes filter is enabled at neighbor level for IxTclProcol, for IxTclNetwork the filters are set in emulation_bgp_config. The priority of the flags is the following VPN (L3 Sites), AD VPLS (L2 VPN), VPLS (L2 Sites), MPLS, Unicast/Multicast. Only one of the three route categories can be emulated in a single emulation_bgp_route_config call, the selection is made based on priority. n -ipv4_multicast_nlri n This argument defined by Cisco is not supported for NGPF implementation. n -ipv4_mpls_nlri n This argument defined by Cisco is not supported for NGPF implementation. -ipv4_mpls_vpn_nlri Enables the emulation of routes for IPv4 MPLS VPNs. Learned routes filter is enabled at neighbor level for IxTclProcol, for IxTclNetwork the filters are set in emulation_bgp_config. The priority of the flags is the following VPN (L3 Sites), AD VPLS (L2 VPN), VPLS (L2 Sites), MPLS, Unicast/Multicast. Only one of the three route categories can be emulated in a single emulation_bgp_route_config call, the selection is made based on priority. Requires parameter num_sites to be present in order to create VPN route ranges. -ipv6_unicast_nlri Enables the emulation of routes for IPv6 unicast. Learned routes filter is enabled at neighbor level for IxTclProcol, for IxTclNetwork the filters are set in emulation_bgp_config. The priority of the flags is the following VPN (L3 Sites), AD VPLS (L2 VPN), VPLS (L2 Sites), MPLS, Unicast/Multicast. Only one of the three route categories can be emulated in a single emulation_bgp_route_config call, the selection is made based on priority. n -ipv6_multicast_nlri n This argument defined by Cisco is not supported for NGPF implementation. n -ipv6_mpls_nlri n This argument defined by Cisco is not supported for NGPF implementation. -ipv6_mpls_vpn_nlri Enables the emulation of routes for IPv6 MPLS VPNs. Learned routes filter is enabled at neighbor level for IxTclProcol, for IxTclNetwork the filters are set in emulation_bgp_config. The priority of the flags is the following VPN (L3 Sites), AD VPLS (L2 VPN), VPLS (L2 Sites), MPLS, Unicast/Multicast. Only one of the three route categories can be emulated in a single emulation_bgp_route_config call, the selection is made based on priority. Requires parameter num_sites to be present in order to create VPN route ranges. -max_route_ranges The number of route ranges, mpls route ranges, vpn routes to create under the BGP neighbor or the number of label blocks to create under the BGP neighbor when VPLS is enabled. -ip_version The IP version of the BGP route to be created. -prefix Route prefix to be advertised / removed by emulated BGP node. -route_ip_addr_step IP address increment step between the multiple route ranges created under the BGP neighbor, based on -max_route_ranges. n -prefix_step_accross_vrfs n This argument defined by Cisco is not supported for NGPF implementation. -num_routes Number of routes to advertise, using the prefix as the starting prefix and incrementing based upon the -prefix_step and the -netmask arguments. -num_sites Number of L2/L3 VPN sites (PEs) to be created on a BGP neighbor. x -prefix_from x The first prefix length to generate based on the -prefix. n -prefix_to n This argument defined by Cisco is not supported for NGPF implementation. n -prefix_step n This argument defined by Cisco is not supported for NGPF implementation. n -prefix_step_across_vrfs n This argument defined by Cisco is not supported for NGPF implementation. -netmask Netmask of the advertised routes. -ipv6_prefix_length IPv6 mask for the IPv6 routes advertised. n -enable_generate_unique_routes n This argument defined by Cisco is not supported for NGPF implementation. n -end_of_rib n This argument defined by Cisco is not supported for NGPF implementation. -packing_from The minimum number of routes to pack into an UPDATE message.Random numbers are chosen from the range -packing_from to -packing_to. -packing_to The maximum number of routes to pack into an UPDATE message.Random numbers are chosen from the range -packing_from to -packing_to. x -enable_traditional_nlri x If checked, use the traditional NLRI in the UPDATE message, instead x of using the MP_REACH_NLRI Multi-protocol extension to advertise x the routes. (Not applicable for MPLS and MPLS VPN Route Ranges.) -next_hop_enable A flag to enable the generation of a NEXT HOP attribute. Can be used as a flag of a choice of 0 or 1. -next_hop_set_mode Indicates how to set the next hop IP address. -next_hop_ip_version The type of IP address in nextHopIpAddress. -next_hop Specifies a mandatory path attribute that defines the IP address of the border router that should be used as the next hop to the destinations listed in the Network Layer Reachability field of the UPDATE message. x -next_hop_ipv4 x Specifies a mandatory path attribute that defines the IP address of x the border router that should be used as the next hop to the x destinations listed in the Network Layer Reachability field of the x UPDATE message. x Has priority over the legacy -next_hop parameter. x -next_hop_ipv6 x Specifies a mandatory path attribute that defines the IP address of x the border router that should be used as the next hop to the x destinations listed in the Network Layer Reachability field of the x UPDATE message. x Has priority over the legacy -next_hop parameter. -next_hop_mode Indicates that the nextHopIpAddress may be incremented for each neighbor session generated for the range of neighbor addresses. x -advertise_nexthop_as_v4 x Advertise Nexthop as V4 x -next_hop_linklocal_enable x A flag to enable including link-local ip as NEXT HOP in NLRI. -origin_route_enable A flag to define whether to enable the origin route or not. -origin Selects the value for the ORIGIN path attribute.Note that specifying a path attribute forces the advertised route to be a node route as opposed to a global route. x -enable_local_pref x This attribute inserts a local_pref attribute with the indicated value. (internal bgp only) -local_pref Specifies the LOCAL_PREF path attribute, which is a discretionary attribute used by a BGP speaker to inform other BGP speakers in its own AS of the originating speakers degree of preference for an advertised route. x -enable_med x Enable Multi Exit -multi_exit_disc Specifies the multi-exit discriminator, which is an optional non-transitive path attribute.The value of this attribute may be used by a BGP speakers decision process to discriminate among multiple exit points to a neighboring AS. x -enable_weight x Enable Weight x -weight x Weight -atomic_aggregate Specifies the ATOMIC_AGGREGATE path attribute, which is a discretionary attribute.If set to 1, informs other BGP speakers that the local system selected a less specific route without selecting a more specific route included in it. -aggregator For the AGGREGATOR path attribute, specifies the last AS number that formed the aggregate route, and the IP address of the BGP speaker that formed the aggregate route.Format: <asn>:<a.b.c.d>. x -enable_aggregator x Enable Aggregator ID x -aggregator_id_mode x Aggregator ID Mode x -aggregator_id x For the AGGREGATOR path attribute, specifies the IP address of the BGP speaker x that formed the aggregate route. x Has priority over the legacy -aggregator parameter. x -aggregator_as x For the AGGREGATOR path attribute, specifies the last AS number that x formed the aggregate route. x Has priority over the legacy -aggregator parameter. -originator_id_enable Enables or disables originator ID on BGP route range. -originator_id Specifies the ORIGINATOR_ID path attribute, which is an optional, non-transitive BGP attribute.It is created by a Route Reflector and carries the ROUTER_ID of the originator of the route in the local AS. -use_safi_multicast Send Routes with SAFI as Multicast (2) -skip_multicast_routes Skip the Multicast routes for this route range x -enable_route_flap x FLAG - Enables the flapping functions described by x route_flap_up_time, route_flap_down_time, routesToFlapFrom, and x routesToFlapTo. x -flap_up_time x During flapping operation, the time between flap cycles, expressed x in seconds. During this period, the route range will be up. x -flap_down_time x During flapping operation, the period expressed in seconds during x which the route is withdrawn from its neighbors. x -enable_partial_route_flap x FLAG - Enable partial flapping functions. x -partial_route_flap_from_route_index x When partial route flapping is enabled, gives the index of the x route from which to start. x -partial_route_flap_to_route_index x When partial route flapping is enabled, gives the index of the x route which to end the flap. x -flap_delay x Flapping delay -communities_enable Enables or disables communities. x -num_communities x Internal mapping to implicit list length param -communities Specifies the COMMUNITIES path attribute, which is an optional transitive attribute of variable length.All routes with this attribute belong to the communities listed in the attribute. This is a list of numbers. x -communities_as_number x Communities AS # x -communities_last_two_octets x Last Two Octets
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_route_config.py_part7
IPv6 mask for the IPv6 routes advertised. n -enable_generate_unique_routes n This argument defined by Cisco is not supported for NGPF implementation. n -end_of_rib n This argument defined by Cisco is not supported for NGPF implementation. -packing_from The minimum number of routes to pack into an UPDATE message.Random numbers are chosen from the range -packing_from to -packing_to. -packing_to The maximum number of routes to pack into an UPDATE message.Random numbers are chosen from the range -packing_from to -packing_to. x -enable_traditional_nlri x If checked, use the traditional NLRI in the UPDATE message, instead x of using the MP_REACH_NLRI Multi-protocol extension to advertise x the routes. (Not applicable for MPLS and MPLS VPN Route Ranges.) -next_hop_enable A flag to enable the generation of a NEXT HOP attribute. Can be used as a flag of a choice of 0 or 1. -next_hop_set_mode Indicates how to set the next hop IP address. -next_hop_ip_version The type of IP address in nextHopIpAddress. -next_hop Specifies a mandatory path attribute that defines the IP address of the border router that should be used as the next hop to the destinations listed in the Network Layer Reachability field of the UPDATE message. x -next_hop_ipv4 x Specifies a mandatory path attribute that defines the IP address of x the border router that should be used as the next hop to the x destinations listed in the Network Layer Reachability field of the x UPDATE message. x Has priority over the legacy -next_hop parameter. x -next_hop_ipv6 x Specifies a mandatory path attribute that defines the IP address of x the border router that should be used as the next hop to the x destinations listed in the Network Layer Reachability field of the x UPDATE message. x Has priority over the legacy -next_hop parameter. -next_hop_mode Indicates that the nextHopIpAddress may be incremented for each neighbor session generated for the range of neighbor addresses. x -advertise_nexthop_as_v4 x Advertise Nexthop as V4 x -next_hop_linklocal_enable x A flag to enable including link-local ip as NEXT HOP in NLRI. -origin_route_enable A flag to define whether to enable the origin route or not. -origin Selects the value for the ORIGIN path attribute.Note that specifying a path attribute forces the advertised route to be a node route as opposed to a global route. x -enable_local_pref x This attribute inserts a local_pref attribute with the indicated value. (internal bgp only) -local_pref Specifies the LOCAL_PREF path attribute, which is a discretionary attribute used by a BGP speaker to inform other BGP speakers in its own AS of the originating speakers degree of preference for an advertised route. x -enable_med x Enable Multi Exit -multi_exit_disc Specifies the multi-exit discriminator, which is an optional non-transitive path attribute.The value of this attribute may be used by a BGP speakers decision process to discriminate among multiple exit points to a neighboring AS. x -enable_weight x Enable Weight x -weight x Weight -atomic_aggregate Specifies the ATOMIC_AGGREGATE path attribute, which is a discretionary attribute.If set to 1, informs other BGP speakers that the local system selected a less specific route without selecting a more specific route included in it. -aggregator For the AGGREGATOR path attribute, specifies the last AS number that formed the aggregate route, and the IP address of the BGP speaker that formed the aggregate route.Format: <asn>:<a.b.c.d>. x -enable_aggregator x Enable Aggregator ID x -aggregator_id_mode x Aggregator ID Mode x -aggregator_id x For the AGGREGATOR path attribute, specifies the IP address of the BGP speaker x that formed the aggregate route. x Has priority over the legacy -aggregator parameter. x -aggregator_as x For the AGGREGATOR path attribute, specifies the last AS number that x formed the aggregate route. x Has priority over the legacy -aggregator parameter. -originator_id_enable Enables or disables originator ID on BGP route range. -originator_id Specifies the ORIGINATOR_ID path attribute, which is an optional, non-transitive BGP attribute.It is created by a Route Reflector and carries the ROUTER_ID of the originator of the route in the local AS. -use_safi_multicast Send Routes with SAFI as Multicast (2) -skip_multicast_routes Skip the Multicast routes for this route range x -enable_route_flap x FLAG - Enables the flapping functions described by x route_flap_up_time, route_flap_down_time, routesToFlapFrom, and x routesToFlapTo. x -flap_up_time x During flapping operation, the time between flap cycles, expressed x in seconds. During this period, the route range will be up. x -flap_down_time x During flapping operation, the period expressed in seconds during x which the route is withdrawn from its neighbors. x -enable_partial_route_flap x FLAG - Enable partial flapping functions. x -partial_route_flap_from_route_index x When partial route flapping is enabled, gives the index of the x route from which to start. x -partial_route_flap_to_route_index x When partial route flapping is enabled, gives the index of the x route which to end the flap. x -flap_delay x Flapping delay -communities_enable Enables or disables communities. x -num_communities x Internal mapping to implicit list length param -communities Specifies the COMMUNITIES path attribute, which is an optional transitive attribute of variable length.All routes with this attribute belong to the communities listed in the attribute. This is a list of numbers. x -communities_as_number x Communities AS # x -communities_last_two_octets x Last Two Octets x -communities_type x Type -enable_large_communitiy Enables or disables Large communities. x -num_of_large_communities x Internal mapping to implicit list length param x -large_community x Large Community in cannonical format as defined in RFC8092 which is: x GlobalAdmin:LocalDataPart1:LocalDataPart2 x where each value must have range 1-4294967295. x e.g. 65535:100:10 or 4294967295:1:65535 x -ext_communities_enable x Enable Extended Community x -num_ext_communities x Internal mapping to implicit list length param -ext_communities Specifies the EXTENDED COMMUNITIES path attribute, which is a transitive optional BGP attribute.All routes with the EXTENDED COMMUNITIES attribute belong to the communities listed in the attribute. <p> This is a list of numbers separated by comma char "," as follows: </p> <p> The first number is the value of the low-order type byte. Possible values: </p> <ol> <li> 0 - (default) </p> <li> 2 - Route target community </li> <li> 3 - Route origin community </li> <li> 4 - Link bandwidth community </li> </ol> <p> The second number is the value of the high-order type byte. Possible values: </p> <ol> <li> 128 - IANA bit: This bit may be or'd with any other values. 0 indicates that this is an IANA assignable type using First Come First Serve policy. 1 indicates that this is an IANA assignable type using the IETF Consensus policy. </li> </ol> <ol> <li> 64 - Transitive bit: This bit may be or'd with any other values. 0 indicates that the community is transitive across ASes and 1 indicates that it is non-transitive. </li> </ol> <ol> <li> 0 - Two-octet AS specific (default): Value holds a two-octet global ASN followed by a four-bytes local admin value. </p> <li> 1 - IPv4 address specific: Value holds a four-octet IP address followed by a two-bytes local administrator value. </li> <li> 2 - Four-octet AS specific: Value holds a four-octet global ASN followed by a two-bytes local admin value. </li> <li> 3 - Generic: Value holds six-octets. </li> <li> The third number is the value associated with the extended community. (default = {00 00 00 00 00 00}) </li> </ol> <p> Example value: {2,128,03 22 00 00 00 00}. </p> x -ext_communities_as_two_bytes x AS 2-Bytes x -ext_communities_as_four_bytes x AS 4-Bytes x -ext_communities_assigned_two_bytes x Assigned Number(2 Octets) x -ext_communities_assigned_four_bytes x Assigned Number(4 Octets) x -ext_communities_ip x IP x -ext_communities_opaque_data x Opaque Data x -ext_communities_colorCObits x Extended Communities Color CO Bits x -ext_communities_colorReservedBits x Extended Communities Color Reserved Bits x -ext_communities_colorValue x Extended Communities Color Value x -ext_communities_link_bandwidth x Link Bandwidth x -ext_communities_type x Type x -ext_communities_subtype x SubType -cluster_list_enable Enables or disables cluster list on BGP route range. x -num_clusters x Internal mapping to implicit list length param -cluster_list Specifies the CLUSTER_LIST path attribute, which is an optional, non-transitive BGP attribute.It is a sequence of CLUSTER_ID values representing the reflection path through which the route has passed. x -advertise_as_bgpls_prefix x Advertise As BGP-LS Prefix x -route_origin x Selects the value for the Route ORIGIN path attribute. x -advertise_as_bgp_3107 x Will cause this route to be sent as BGP 3107 MPLS SAFI route x -label_id x The identifier for the label space. -label_value Starting value for the label of the BGP route. Default is 16. x -label_end x Route Range Label End -label_step Increment value used to step the base label. x -advertise_as_bgp_3107_sr x Will cause this route to be sent as BGP 3107 x -segmentId x Route Range Segment ID for BGP 3107 x -incrementMode x Route Range Segment ID for BGP 3107 x -specialLabel x Route Range Special Label for BGP 3107 x -enableSRGB x Enable SRGB for BGP 3107 x -advertise_as_rfc_8277 x Will cause this route to be sent as RFC 8277 MPLS SAFI route x -no_of_labels x Number of RFC 8277 Labels x -mpls_label_step x MPLS Label Step x -mpls_label_start x MPLS Label Start x -mpls_label_end x MPLS Label End x -enable_aigp x Enable AIGP x -no_of_tlvs x Enable AIGP x -aigp_type x AIGP type x -aigp_value x AIGP Value x -enable_add_path x Enable Path ID when ADD Path Capability is enabled in BGP Peer x -add_path_id x BGP ADD Path Id x -enable_random_as_path x Enable Random AS Path
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_route_config.py_part8
x Last Two Octets x -communities_type x Type -enable_large_communitiy Enables or disables Large communities. x -num_of_large_communities x Internal mapping to implicit list length param x -large_community x Large Community in cannonical format as defined in RFC8092 which is: x GlobalAdmin:LocalDataPart1:LocalDataPart2 x where each value must have range 1-4294967295. x e.g. 65535:100:10 or 4294967295:1:65535 x -ext_communities_enable x Enable Extended Community x -num_ext_communities x Internal mapping to implicit list length param -ext_communities Specifies the EXTENDED COMMUNITIES path attribute, which is a transitive optional BGP attribute.All routes with the EXTENDED COMMUNITIES attribute belong to the communities listed in the attribute. <p> This is a list of numbers separated by comma char "," as follows: </p> <p> The first number is the value of the low-order type byte. Possible values: </p> <ol> <li> 0 - (default) </p> <li> 2 - Route target community </li> <li> 3 - Route origin community </li> <li> 4 - Link bandwidth community </li> </ol> <p> The second number is the value of the high-order type byte. Possible values: </p> <ol> <li> 128 - IANA bit: This bit may be or'd with any other values. 0 indicates that this is an IANA assignable type using First Come First Serve policy. 1 indicates that this is an IANA assignable type using the IETF Consensus policy. </li> </ol> <ol> <li> 64 - Transitive bit: This bit may be or'd with any other values. 0 indicates that the community is transitive across ASes and 1 indicates that it is non-transitive. </li> </ol> <ol> <li> 0 - Two-octet AS specific (default): Value holds a two-octet global ASN followed by a four-bytes local admin value. </p> <li> 1 - IPv4 address specific: Value holds a four-octet IP address followed by a two-bytes local administrator value. </li> <li> 2 - Four-octet AS specific: Value holds a four-octet global ASN followed by a two-bytes local admin value. </li> <li> 3 - Generic: Value holds six-octets. </li> <li> The third number is the value associated with the extended community. (default = {00 00 00 00 00 00}) </li> </ol> <p> Example value: {2,128,03 22 00 00 00 00}. </p> x -ext_communities_as_two_bytes x AS 2-Bytes x -ext_communities_as_four_bytes x AS 4-Bytes x -ext_communities_assigned_two_bytes x Assigned Number(2 Octets) x -ext_communities_assigned_four_bytes x Assigned Number(4 Octets) x -ext_communities_ip x IP x -ext_communities_opaque_data x Opaque Data x -ext_communities_colorCObits x Extended Communities Color CO Bits x -ext_communities_colorReservedBits x Extended Communities Color Reserved Bits x -ext_communities_colorValue x Extended Communities Color Value x -ext_communities_link_bandwidth x Link Bandwidth x -ext_communities_type x Type x -ext_communities_subtype x SubType -cluster_list_enable Enables or disables cluster list on BGP route range. x -num_clusters x Internal mapping to implicit list length param -cluster_list Specifies the CLUSTER_LIST path attribute, which is an optional, non-transitive BGP attribute.It is a sequence of CLUSTER_ID values representing the reflection path through which the route has passed. x -advertise_as_bgpls_prefix x Advertise As BGP-LS Prefix x -route_origin x Selects the value for the Route ORIGIN path attribute. x -advertise_as_bgp_3107 x Will cause this route to be sent as BGP 3107 MPLS SAFI route x -label_id x The identifier for the label space. -label_value Starting value for the label of the BGP route. Default is 16. x -label_end x Route Range Label End -label_step Increment value used to step the base label. x -advertise_as_bgp_3107_sr x Will cause this route to be sent as BGP 3107 x -segmentId x Route Range Segment ID for BGP 3107 x -incrementMode x Route Range Segment ID for BGP 3107 x -specialLabel x Route Range Special Label for BGP 3107 x -enableSRGB x Enable SRGB for BGP 3107 x -advertise_as_rfc_8277 x Will cause this route to be sent as RFC 8277 MPLS SAFI route x -no_of_labels x Number of RFC 8277 Labels x -mpls_label_step x MPLS Label Step x -mpls_label_start x MPLS Label Start x -mpls_label_end x MPLS Label End x -enable_aigp x Enable AIGP x -no_of_tlvs x Enable AIGP x -aigp_type x AIGP type x -aigp_value x AIGP Value x -enable_add_path x Enable Path ID when ADD Path Capability is enabled in BGP Peer x -add_path_id x BGP ADD Path Id x -enable_random_as_path x Enable Random AS Path x -max_no_of_as_path_segments x Maximum Number Of AS Path Segments Per Route Range x -min_no_of_as_path_segments x Minimum Number Of AS Path Segments Per Route Range x -as_segment_distribution x Type of AS Segment generated. If user selects Random, then any of the four types (AS-SET, AS-SEQ, AS-SET-CONFEDERATION, AS-SEQ-CONFEDERATION) x will get randomly generated x -max_as_numbers_per_segments x Maximum Number Of AS Numbers generated per Segment x -min_as_numbers_per_segments x Minimum Number Of AS Numbers generated per Segments x -range_of_as_number_suffix x Supported Formats: x value x value1-value2 x Values or value ranges separated by comma(,). x e.g. 100,150-200,400,600-800 etc. x Cannot be kept empty. x Should be >= ((Max Number of AS Path Segments) x (Max AS Numbers Per Segment)) x -as_path_per_route x When there are multiple routes in a route range, this option decides whether to use same or different x AS paths randomly generated for all the routes within that route range. x For the Different option, each route will be sent in different update messages. x -random_as_seed_value x Seed value decides the way the AS Values are generated. To generate different AS Paths for different Route ranges, x select unique Seed Values x -enable_as_path x This parameter indicates that as_path attributes are to be generated. x -num_as_path_segments x Number of AS_Path Segments Per Route Range x -as_path_set_mode x For External routing only. x Optional setup for the AS-Path. -as_path Specifies the AS_PATH path attribute, which is a mandatory attribute composed of a sequence of AS path segments. Format: <as path type>:<comma separated segment list> {as_set|as_seq|as_confed_set|as_confed_seq}:<x,x,x,x>. Example: as_set:1,2,3,4 as_set - specifies an unordered set of autonomous systems though which a route in the UPDATE message has traversed. as_seq - specifies an ordered set of autonomous systems through which a route in the UPDATE message has traversed. as_confed_set - specifies an unordered set of autonomous systems in the local confederation that the UPDATE message has traversed. as_confed_seq - specifies an ordered set of autonomous systems in the local confederation that the UPDATE message has traversed. DEFAULT = as_set:<router_as>, where <router_as> is the AS of the router which advertises this route. x -as_path_segment_type x Specifies the segment type for the AS_PATH attribute. x This may be a list of values with equal length to the as_path parameter list. x -num_as_numbers_in_segment x Numbers of AS numbers in the AS_PATH segment. x -enable_as_path_segment x Enable AS Path Segment x -enable_as_path_segment_number x Enable AS Number x -as_path_segment_numbers x A list of lists of AS_PATH segment numbers. The outer list length needs to match as_path_segment_type list length. x -vpls x (deprecated) x This BGP/BGP+ router/peer supports BGP/BGP+ VPLS per the Kompella draft. x This will enable the L2 Sites. x Does not take priority over other flags that enable L3 sites and AD VPLS. x The priority of the flags is the following VPN (L3 Sites), AD VPLS (L2 VPN), VPLS (L2 Sites), MPLS, Unicast/Multicast. x -vpls_nlri x This BGP/BGP+ router/peer supports BGP/BGP+ VPLS per the Kompella draft. x This will enable the L2 Sites. x Does not take priority over other flags that enable L3 sites and AD VPLS. x The priority of the flags is the following VPN (L3 Sites), AD VPLS (L2 VPN), VPLS (L2 Sites), MPLS, Unicast/Multicast. -rd_admin_value Starting value of the administrator field of the route distinguisher. x -rd_admin_value_step x Inner increment value to step the base route distinguisher administrator x field. n -rd_admin_step n This argument defined by Cisco is not supported for NGPF implementation. -rd_assign_value Starting value of the assigned number field of the route distinguisher. x -rd_assign_value_step x Inner increment value to step the base route distinguisher assigned number x field if -target_count is greater than 1. n -rd_assign_step n This argument defined by Cisco is not supported for NGPF implementation. x -control_word_enable x Enable Control Word x -seq_delivery_enable x Enable Sequenced Delivery x -mtu x Maximum transmit unit. Has to be in concordance with the DUT settings. x -site_id x The current L2 site identifier. x -site_id_step x Increment for the L2 site identifier. -target AS number or IP address list based on the -target_type list. x -target_inner_step x Increment value to step the base target field when -target_count is greater than 1. x -target_step x Increment value to step the base target field. -target_assign The assigned number subfield of the value field of the target.It is a number from a numbering space which is maintained by the enterprise administers for a given IP address or ASN space.It is the local part of the target. x -target_assign_inner_step x Increment value to step the base target assigned number fieldwhen -target_count is greater than 1. x -target_assign_step x Increment value to step the base target assigned number field. -rd_type Route distinguisher type. -target_type List of the target type. x -vpn_name x VPN Name
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_route_config.py_part9
x Enable Random AS Path x -max_no_of_as_path_segments x Maximum Number Of AS Path Segments Per Route Range x -min_no_of_as_path_segments x Minimum Number Of AS Path Segments Per Route Range x -as_segment_distribution x Type of AS Segment generated. If user selects Random, then any of the four types (AS-SET, AS-SEQ, AS-SET-CONFEDERATION, AS-SEQ-CONFEDERATION) x will get randomly generated x -max_as_numbers_per_segments x Maximum Number Of AS Numbers generated per Segment x -min_as_numbers_per_segments x Minimum Number Of AS Numbers generated per Segments x -range_of_as_number_suffix x Supported Formats: x value x value1-value2 x Values or value ranges separated by comma(,). x e.g. 100,150-200,400,600-800 etc. x Cannot be kept empty. x Should be >= ((Max Number of AS Path Segments) x (Max AS Numbers Per Segment)) x -as_path_per_route x When there are multiple routes in a route range, this option decides whether to use same or different x AS paths randomly generated for all the routes within that route range. x For the Different option, each route will be sent in different update messages. x -random_as_seed_value x Seed value decides the way the AS Values are generated. To generate different AS Paths for different Route ranges, x select unique Seed Values x -enable_as_path x This parameter indicates that as_path attributes are to be generated. x -num_as_path_segments x Number of AS_Path Segments Per Route Range x -as_path_set_mode x For External routing only. x Optional setup for the AS-Path. -as_path Specifies the AS_PATH path attribute, which is a mandatory attribute composed of a sequence of AS path segments. Format: <as path type>:<comma separated segment list> {as_set|as_seq|as_confed_set|as_confed_seq}:<x,x,x,x>. Example: as_set:1,2,3,4 as_set - specifies an unordered set of autonomous systems though which a route in the UPDATE message has traversed. as_seq - specifies an ordered set of autonomous systems through which a route in the UPDATE message has traversed. as_confed_set - specifies an unordered set of autonomous systems in the local confederation that the UPDATE message has traversed. as_confed_seq - specifies an ordered set of autonomous systems in the local confederation that the UPDATE message has traversed. DEFAULT = as_set:<router_as>, where <router_as> is the AS of the router which advertises this route. x -as_path_segment_type x Specifies the segment type for the AS_PATH attribute. x This may be a list of values with equal length to the as_path parameter list. x -num_as_numbers_in_segment x Numbers of AS numbers in the AS_PATH segment. x -enable_as_path_segment x Enable AS Path Segment x -enable_as_path_segment_number x Enable AS Number x -as_path_segment_numbers x A list of lists of AS_PATH segment numbers. The outer list length needs to match as_path_segment_type list length. x -vpls x (deprecated) x This BGP/BGP+ router/peer supports BGP/BGP+ VPLS per the Kompella draft. x This will enable the L2 Sites. x Does not take priority over other flags that enable L3 sites and AD VPLS. x The priority of the flags is the following VPN (L3 Sites), AD VPLS (L2 VPN), VPLS (L2 Sites), MPLS, Unicast/Multicast. x -vpls_nlri x This BGP/BGP+ router/peer supports BGP/BGP+ VPLS per the Kompella draft. x This will enable the L2 Sites. x Does not take priority over other flags that enable L3 sites and AD VPLS. x The priority of the flags is the following VPN (L3 Sites), AD VPLS (L2 VPN), VPLS (L2 Sites), MPLS, Unicast/Multicast. -rd_admin_value Starting value of the administrator field of the route distinguisher. x -rd_admin_value_step x Inner increment value to step the base route distinguisher administrator x field. n -rd_admin_step n This argument defined by Cisco is not supported for NGPF implementation. -rd_assign_value Starting value of the assigned number field of the route distinguisher. x -rd_assign_value_step x Inner increment value to step the base route distinguisher assigned number x field if -target_count is greater than 1. n -rd_assign_step n This argument defined by Cisco is not supported for NGPF implementation. x -control_word_enable x Enable Control Word x -seq_delivery_enable x Enable Sequenced Delivery x -mtu x Maximum transmit unit. Has to be in concordance with the DUT settings. x -site_id x The current L2 site identifier. x -site_id_step x Increment for the L2 site identifier. -target AS number or IP address list based on the -target_type list. x -target_inner_step x Increment value to step the base target field when -target_count is greater than 1. x -target_step x Increment value to step the base target field. -target_assign The assigned number subfield of the value field of the target.It is a number from a numbering space which is maintained by the enterprise administers for a given IP address or ASN space.It is the local part of the target. x -target_assign_inner_step x Increment value to step the base target assigned number fieldwhen -target_count is greater than 1. x -target_assign_step x Increment value to step the base target assigned number field. -rd_type Route distinguisher type. -target_type List of the target type. x -vpn_name x VPN Name x -advertise_label_block x Advertise Label Block x -num_labels x Specifies the number of labels to be created for the current label block. -num_labels_type Type of the -num_labels parameter. Default value is single_value. x -label_block_offset x The offset of the label block. x -label_block_offset_type x Type of the -label_block_offset parameter. Default value is single_value. -label_value_type Type of the -label_value parameter. If this parameter is set to list "-label_value_step" is ignored. Default value is single_value. x -l2_start_mac_addr x Start address for the MAC range. n -l2_mac_incr n This argument defined by Cisco is not supported for NGPF implementation. n -l2_mac_count n This argument defined by Cisco is not supported for NGPF implementation. x -l2_enable_vlan x Enable or disable vlan on this mac range. x -l2_vlan_priority x 3-bit user priority field in the VLAN tag. x -l2_vlan_tpid x 16-bit Tag Protocol Identifier (TPID) or EtherType in the VLAN tag. x -l2_vlan_id x Current vlan id. x -l2_vlan_id_incr x This parameter represents the increment step for vlan id across the ranges. x -l2_vlan_incr x Indicates whether the vlan id gets incremented inside the same range. x -import_rt_as_export_rt x Import RT List Same As Export RT List x -target_count x Number of AS number or IP address list based on the -target_type list. x -import_target_count x Number of RTs in Import Route Target List n -default_mdt_ip n This argument defined by Cisco is not supported for NGPF implementation. n -default_mdt_ip_incr n This argument defined by Cisco is not supported for NGPF implementation. -import_target AS number or IP address list based on the -import_target_type list. n -import_target_step n This argument defined by Cisco is not supported for NGPF implementation. x -import_target_inner_step x Increment value to step the base import target field when -target_count is greater than 1. -import_target_assign The assigned number subfield of the value field of the import target. It is a number from a numbering space which is maintained by the enterprise administers for a given IP address or ASN space.It is the local part of the import target. -import_target_type List of the import target type. n -import_target_assign_step n This argument defined by Cisco is not supported for NGPF implementation. x -import_target_assign_inner_step x Increment value to step the base import target assigned number field when -target_count is greater than 1. n -rd_count n This argument defined by Cisco is not supported for NGPF implementation. n -rd_count_per_vrf n This argument defined by Cisco is not supported for NGPF implementation. n -rd_admin_value_step_across_vrfs n This argument defined by Cisco is not supported for NGPF implementation. n -rd_assign_value_step_across_vrfs n This argument defined by Cisco is not supported for NGPF implementation. x -label_value_end x Ending value for the label of the BGP route. If this parameter is not provided it will be calculated as label_value + num_routes * label_step. -label_incr_mode Method in which the MPLS label of an IPv4 MPLS-VPN route will be incremented. x -ad_vpls_nlri x This BGP/BGP+ router/peer supports BGP/BGP+ AD VPLS. x Does not take priority over other flags that enable L3 sites. x The priority of the flags is the following VPN (L3 Sites), AD VPLS (L2 VPN), VPLS (L2 Sites), MPLS, Unicast/Multicast. x -as_number_vpls_id x VPLS ID AS Number x -as_number_vpls_rd x Route Distinguisher AS Number x -as_number_vpls_rt x Route Target AS Number x -assigned_number_vpls_id x VPLS ID Assigned Number x -assigned_number_vpls_rd x Route Distinguisher Assigned Number x -assigned_number_vpls_rt x Route Target Assigned Number x -import_rd_as_rt x Use RD As RT x -import_vpls_id_as_rd x Use VPLS ID As Route Distinguisher x -ip_address_vpls_id x VPLS ID IP Address x -ip_address_vpls_rd x Route Distinguisher IP Address x -ip_address_vpls_rt x Route Target IP Address x -number_vsi_id x VSI ID Number x -type_vpls_id x VPLS ID Type x -type_vpls_rd x RD Type x -type_vpls_rt x RT Type x -type_vsi_id x VSI ID x -override_peer_as_set_mode x Override Peer AS# Set Mode n -no_write n This argument defined by Cisco is not supported for NGPF implementation. x -best_routes x Import only the best routes (provided route file has this information) x -route_distribution_type x Option to specify distribution type, for distributing imported routes across all BGP Peer. x Options: x round_robin, for allocating routes sequentially, and x replicate, for allocating all routes to each Peer. x -next_hop_modification_type x Option for setting Next Hop modification type. x Options are x overwrite_testers_address for "Overwrite Next Hop with Tester's address" x preserve_from_file for "Preserve Next Hop from file" x -file_type
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_route_config.py_part10
x VPN Name x -advertise_label_block x Advertise Label Block x -num_labels x Specifies the number of labels to be created for the current label block. -num_labels_type Type of the -num_labels parameter. Default value is single_value. x -label_block_offset x The offset of the label block. x -label_block_offset_type x Type of the -label_block_offset parameter. Default value is single_value. -label_value_type Type of the -label_value parameter. If this parameter is set to list "-label_value_step" is ignored. Default value is single_value. x -l2_start_mac_addr x Start address for the MAC range. n -l2_mac_incr n This argument defined by Cisco is not supported for NGPF implementation. n -l2_mac_count n This argument defined by Cisco is not supported for NGPF implementation. x -l2_enable_vlan x Enable or disable vlan on this mac range. x -l2_vlan_priority x 3-bit user priority field in the VLAN tag. x -l2_vlan_tpid x 16-bit Tag Protocol Identifier (TPID) or EtherType in the VLAN tag. x -l2_vlan_id x Current vlan id. x -l2_vlan_id_incr x This parameter represents the increment step for vlan id across the ranges. x -l2_vlan_incr x Indicates whether the vlan id gets incremented inside the same range. x -import_rt_as_export_rt x Import RT List Same As Export RT List x -target_count x Number of AS number or IP address list based on the -target_type list. x -import_target_count x Number of RTs in Import Route Target List n -default_mdt_ip n This argument defined by Cisco is not supported for NGPF implementation. n -default_mdt_ip_incr n This argument defined by Cisco is not supported for NGPF implementation. -import_target AS number or IP address list based on the -import_target_type list. n -import_target_step n This argument defined by Cisco is not supported for NGPF implementation. x -import_target_inner_step x Increment value to step the base import target field when -target_count is greater than 1. -import_target_assign The assigned number subfield of the value field of the import target. It is a number from a numbering space which is maintained by the enterprise administers for a given IP address or ASN space.It is the local part of the import target. -import_target_type List of the import target type. n -import_target_assign_step n This argument defined by Cisco is not supported for NGPF implementation. x -import_target_assign_inner_step x Increment value to step the base import target assigned number field when -target_count is greater than 1. n -rd_count n This argument defined by Cisco is not supported for NGPF implementation. n -rd_count_per_vrf n This argument defined by Cisco is not supported for NGPF implementation. n -rd_admin_value_step_across_vrfs n This argument defined by Cisco is not supported for NGPF implementation. n -rd_assign_value_step_across_vrfs n This argument defined by Cisco is not supported for NGPF implementation. x -label_value_end x Ending value for the label of the BGP route. If this parameter is not provided it will be calculated as label_value + num_routes * label_step. -label_incr_mode Method in which the MPLS label of an IPv4 MPLS-VPN route will be incremented. x -ad_vpls_nlri x This BGP/BGP+ router/peer supports BGP/BGP+ AD VPLS. x Does not take priority over other flags that enable L3 sites. x The priority of the flags is the following VPN (L3 Sites), AD VPLS (L2 VPN), VPLS (L2 Sites), MPLS, Unicast/Multicast. x -as_number_vpls_id x VPLS ID AS Number x -as_number_vpls_rd x Route Distinguisher AS Number x -as_number_vpls_rt x Route Target AS Number x -assigned_number_vpls_id x VPLS ID Assigned Number x -assigned_number_vpls_rd x Route Distinguisher Assigned Number x -assigned_number_vpls_rt x Route Target Assigned Number x -import_rd_as_rt x Use RD As RT x -import_vpls_id_as_rd x Use VPLS ID As Route Distinguisher x -ip_address_vpls_id x VPLS ID IP Address x -ip_address_vpls_rd x Route Distinguisher IP Address x -ip_address_vpls_rt x Route Target IP Address x -number_vsi_id x VSI ID Number x -type_vpls_id x VPLS ID Type x -type_vpls_rd x RD Type x -type_vpls_rt x RT Type x -type_vsi_id x VSI ID x -override_peer_as_set_mode x Override Peer AS# Set Mode n -no_write n This argument defined by Cisco is not supported for NGPF implementation. x -best_routes x Import only the best routes (provided route file has this information) x -route_distribution_type x Option to specify distribution type, for distributing imported routes across all BGP Peer. x Options: x round_robin, for allocating routes sequentially, and x replicate, for allocating all routes to each Peer. x -next_hop_modification_type x Option for setting Next Hop modification type. x Options are x overwrite_testers_address for "Overwrite Next Hop with Tester's address" x preserve_from_file for "Preserve Next Hop from file" x -file_type x Import routes file type. Route import may fail in file type is not matching with the file being imported. x Options are: x csv for "Ixia Format / Standard CSV (.csv)" x cisco for "Cisco IOS Format (.txt)" x juniper for "Juniper JUNOS Format (.txt)" x -route_file x Select source file having route information x -route_limit x Specify maximum routes(per port) that you want to import. Based on Card Memory, the Max Route Limit Per Port are: x ---------------------------------------- x 4GB or more=>2.0 million x 2GB=>1.6 million x 1GB=>0.8 million x Less than 1GB=>0.5 million x -primary_routes_per_device x Number of Primary Routes per Device x -primary_routes_per_range x Number of Primary Routes per Route Range x -duplicate_routes_per_device_percent x Percentage to Duplicate Primary Routes per Device x -network_address_start x This attribute will configure the network start address of the Routes to be generated x -network_address_step x This attribute will configure the network step address of the Routes to be generated x -prefix_length_distribution_type x Prefix Length Distribution Type x Options are: x fixed x random x even x exponential x internet_mix x custom_profile x -prefix_length_distribution_scope x Prefix Length Distribution Scope x Options are: x per_device x per_port x per_topology x -custom_distribution_file x Source file having custom distribution information x -prefix_length_start x Prefix Length Start Value of the Routes to be generated. Applicable only for Fixed, Even and Exponential distribution type x -prefix_length_end x Prefix Length End Value of the Routes to be generated. Applicable only for Even and Exponential distribution type x -primary_routes_as_path_suffix x AS Path Suffix for Primary Routes to be generated x -duplicate_routes_as_path_suffix x AS Path Suffix for Duplicate Routes to be generated x -skip_mcast x Do not include Multicast Address in generated Address Range x -skip_loopback x Do not include Loopback Address in generated Address Range x -address_range_to_skip x Address Ranges that will be skipped. You can provide multiple ranges seperated by ','. Example: aa:0:1:b::-bb:0:2:c::, aa00::-bb00::1 x -primary_ipv6_routes_per_range x Number of Primary Routes per Route Range x -primary_ipv6_routes_per_device x Number of Primary Routes per Device x -duplicate_ipv6_routes_per_device_percent x Percentage to Duplicate Primary Routes per Device x -ipv6_network_address_start x This attribute will configure the network start address of the Routes to be generated x -ipv6_network_address_step x This attribute will configure the network step address of the Routes to be generated x -ipv6_prefix_length_distribution_type x Prefix Length Distribution Type x Options are: x fixed x random x even x exponential x internet_mix x custom_profile x -ipv6_prefix_length_distribution_scope x Prefix Length Distribution Scope x Options are: x per_device x per_port x per_topology x -ipv6_custom_distribution_file x Source file having custom distribution information x -ipv6_prefix_length_start x Prefix Length Start Value of the Routes to be generated. Applicable only for Fixed, Even and Exponential distribution type x -ipv6_prefix_length_end x Prefix Length End Value of the Routes to be generated. Applicable only for Even and Exponential distribution type x -primary_ipv6_routes_as_path_suffix x AS Path Suffix for Primary Routes to be generated x -duplicate_ipv6_routes_as_path_suffix x AS Path Suffix for Duplicate Routes to be generated x -ipv6_skip_mcast x Do not include Multicast Address in generated Address Range x -ipv6_skip_loopback x Do not include Loopback Address in generated Address Range x -ipv6_address_range_to_skip x Address Ranges that will be skipped. You can provide multiple ranges seperated by ','. Example: aa:0:1:b::-bb:0:2:c::, aa00::-bb00::1 x -num_broadcast_domain x The number of broadcast domain to be configured under EVI x -auto_configure_rd_ip_address x Auto-Configure RD IP Addresses x -rd_ip_address x RD IP Addresses x -rd_evi x RD EVI x -enable_l3vni_target_list x Enable L3VNI Target List x -advertise_l3vni_separately x Advertise L3VNI Separately x -b_mac_first_label x B MAC First Label x -enable_b_mac_second_label x Enable B MAC Second Label x -b_mac_second_label x B MAC Second Label x -ad_route_label x AD Route Label x -multicast_tunnel_type x Multicast Tunnel Type x -use_upstream_downstream_assigned_mpls_label x Use Upstream/Downstream Assigned MPLS Label x -include_pmsi_tunnel_attribute x Include PMSI Tunnel Attribute x -auto_configure_pmsi_tunnel_id x Auto Configure PMSI Tunnel ID x -pmsi_tunnel_id_v4 x PMSI Tunnel ID x -pmsi_tunnel_id_v6 x PMSI Tunnel ID x -upstream_downstream_assigned_mpls_label
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_route_config.py_part11
x Import routes file type. Route import may fail in file type is not matching with the file being imported. x Options are: x csv for "Ixia Format / Standard CSV (.csv)" x cisco for "Cisco IOS Format (.txt)" x juniper for "Juniper JUNOS Format (.txt)" x -route_file x Select source file having route information x -route_limit x Specify maximum routes(per port) that you want to import. Based on Card Memory, the Max Route Limit Per Port are: x ---------------------------------------- x 4GB or more=>2.0 million x 2GB=>1.6 million x 1GB=>0.8 million x Less than 1GB=>0.5 million x -primary_routes_per_device x Number of Primary Routes per Device x -primary_routes_per_range x Number of Primary Routes per Route Range x -duplicate_routes_per_device_percent x Percentage to Duplicate Primary Routes per Device x -network_address_start x This attribute will configure the network start address of the Routes to be generated x -network_address_step x This attribute will configure the network step address of the Routes to be generated x -prefix_length_distribution_type x Prefix Length Distribution Type x Options are: x fixed x random x even x exponential x internet_mix x custom_profile x -prefix_length_distribution_scope x Prefix Length Distribution Scope x Options are: x per_device x per_port x per_topology x -custom_distribution_file x Source file having custom distribution information x -prefix_length_start x Prefix Length Start Value of the Routes to be generated. Applicable only for Fixed, Even and Exponential distribution type x -prefix_length_end x Prefix Length End Value of the Routes to be generated. Applicable only for Even and Exponential distribution type x -primary_routes_as_path_suffix x AS Path Suffix for Primary Routes to be generated x -duplicate_routes_as_path_suffix x AS Path Suffix for Duplicate Routes to be generated x -skip_mcast x Do not include Multicast Address in generated Address Range x -skip_loopback x Do not include Loopback Address in generated Address Range x -address_range_to_skip x Address Ranges that will be skipped. You can provide multiple ranges seperated by ','. Example: aa:0:1:b::-bb:0:2:c::, aa00::-bb00::1 x -primary_ipv6_routes_per_range x Number of Primary Routes per Route Range x -primary_ipv6_routes_per_device x Number of Primary Routes per Device x -duplicate_ipv6_routes_per_device_percent x Percentage to Duplicate Primary Routes per Device x -ipv6_network_address_start x This attribute will configure the network start address of the Routes to be generated x -ipv6_network_address_step x This attribute will configure the network step address of the Routes to be generated x -ipv6_prefix_length_distribution_type x Prefix Length Distribution Type x Options are: x fixed x random x even x exponential x internet_mix x custom_profile x -ipv6_prefix_length_distribution_scope x Prefix Length Distribution Scope x Options are: x per_device x per_port x per_topology x -ipv6_custom_distribution_file x Source file having custom distribution information x -ipv6_prefix_length_start x Prefix Length Start Value of the Routes to be generated. Applicable only for Fixed, Even and Exponential distribution type x -ipv6_prefix_length_end x Prefix Length End Value of the Routes to be generated. Applicable only for Even and Exponential distribution type x -primary_ipv6_routes_as_path_suffix x AS Path Suffix for Primary Routes to be generated x -duplicate_ipv6_routes_as_path_suffix x AS Path Suffix for Duplicate Routes to be generated x -ipv6_skip_mcast x Do not include Multicast Address in generated Address Range x -ipv6_skip_loopback x Do not include Loopback Address in generated Address Range x -ipv6_address_range_to_skip x Address Ranges that will be skipped. You can provide multiple ranges seperated by ','. Example: aa:0:1:b::-bb:0:2:c::, aa00::-bb00::1 x -num_broadcast_domain x The number of broadcast domain to be configured under EVI x -auto_configure_rd_ip_address x Auto-Configure RD IP Addresses x -rd_ip_address x RD IP Addresses x -rd_evi x RD EVI x -enable_l3vni_target_list x Enable L3VNI Target List x -advertise_l3vni_separately x Advertise L3VNI Separately x -b_mac_first_label x B MAC First Label x -enable_b_mac_second_label x Enable B MAC Second Label x -b_mac_second_label x B MAC Second Label x -ad_route_label x AD Route Label x -multicast_tunnel_type x Multicast Tunnel Type x -use_upstream_downstream_assigned_mpls_label x Use Upstream/Downstream Assigned MPLS Label x -include_pmsi_tunnel_attribute x Include PMSI Tunnel Attribute x -auto_configure_pmsi_tunnel_id x Auto Configure PMSI Tunnel ID x -pmsi_tunnel_id_v4 x PMSI Tunnel ID x -pmsi_tunnel_id_v6 x PMSI Tunnel ID x -upstream_downstream_assigned_mpls_label x Upstream/Downstream Assigned MPLS Label x -use_ipv4_mapped_ipv6_address x Use IPv4 Mapped IPv6 Address x -l3_target_count x Number of RTs in L3VNI Export Route Target List(multiplier) x -l3_import_target_count x Number of RTs in L3VNI Import Route Target List(multiplier) x -l3_import_rt_same_as_l3_export_rt x L3VNI Import RT List Same As L3VNI Export RT List -l3_target_type List of the target type. -l3_target AS number or IP address list based on the -target_type list. x -l3_target_inner_step x Increment value to step the base target field when -target_count is greater than 1. x -l3_target_step x Increment value to step the base target field. x -l3_target_as4_number x L3VNI Export Route Target AS4 Number x -l3_target_ip_address x L3VNI Export Route Target IP -l3_target_assign The assigned number subfield of the value field of the target.It is a number from a numbering space which is maintained by the enterprise administers for a given IP address or ASN space.It is the local part of the target. x -l3_target_assign_inner_step x Increment value to step the base target assigned number fieldwhen -target_count is greater than 1. x -l3_target_assign_step x Increment value to step the base target assigned number field. -l3_import_target_type List of the import target type. -l3_import_target AS number or IP address list based on the -import_target_type list. n -l3_import_target_step n This argument defined by Cisco is not supported for NGPF implementation. x -l3_import_target_inner_step x Increment value to step the base import target field when -target_count is greater than 1. x -l3_import_target_as4_number x L3VNI Import Route Target AS4 Number x -l3_import_target_ip_address x L3VNI Import Route Target IP -l3_import_target_assign The assigned number subfield of the value field of the import target. It is a number from a numbering space which is maintained by the enterprise administers for a given IP address or ASN space.It is the local part of the import target. n -l3_import_target_assign_step n This argument defined by Cisco is not supported for NGPF implementation. x -l3_import_target_assign_inner_step x Increment value to step the base import target assigned number field when -target_count is greater than 1. x -enable_next_hop x Enable Next Hop x -set_next_hop x Set Next Hop x -set_next_hop_ip_type x Set Next Hop IP Type x -ipv4_next_hop x IPv4 Next Hop x -ipv6_next_hop x IPv6 Next Hop x -enable_origin x Enable Origin x -enable_local_preference x Enable Local Preference x -local_preference x Local Preference x -enable_multi_exit_discriminator x Enable Multi Exit x -multi_exit_discriminator x Multi Exit x -enable_atomic_aggregate x Enable Atomic Aggregate x -enable_aggregator_id x Enable Aggregator ID x -enable_originator_id x Enable Originator ID x -evpn x Enable BGP EVPN x -pbb_evpn x Enable BGP PBB-EVPN x -evpn_vxlan x Enable BGP EVPN-VXLAN x -evpn_vpws x Enable BGP EVPN-VPWS x -vxlan_vpws x Enable BGP VXLAN-VPWS x -ethernet_tag_id x Ethernet Tag ID x -enable_vlan_aware_service x Enable VLAN Aware Service x -useb_vlan x Use B-VLAN x -b_vlan_id x B VLAN ID x -b_vlan_priority x B VLAN Priority x -b_vlan_tpid x B VLAN TPID x -broadcast_domain_ad_route_label x AD Route Label x -no_of_mac_pools x Number of Mac Pools x -enable_broadcast_domain x Activates the Broadcast Domain item x -use_same_sequence_number x Use Same Sequence Number x -enable_user_defined_sequence_number x Enable User Defined Sequence Number x -sequence_number x Sequence Number x -advertise_ipv4_address x Advertise IPv4 Address x -ipv4_address_prefix_length x IPv4 Address Prefix Length which is used to determine the intersubnetting between local and remote host x -advertise_ipv6_address x Advertise IPv6 Address x -ipv6_address_prefix_length x IPv6 Address Prefix Length which is used to determine the intersubnetting between local and remote host x -active_ts x Active TS x -enable_sticky_static_flag x Enable Sticky/Static Flag x -include_default_gateway_extended_community x Include Default Gateway Extended Community x -first_label_start x First Label (L2) Start x -enable_second_label x Enable Second Label (L3) x -second_label_start x Second Label (L3) Start x -label_mode x Label Mode x -label_start x Label (L2) Start x -cmac x Enable CMAC Properties x -evpn_ipv4_prefix_range x Enable EVPN IPv4 Prefix Range x -evpn_ipv6_prefix_range
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_route_config.py_part12
x -upstream_downstream_assigned_mpls_label x Upstream/Downstream Assigned MPLS Label x -use_ipv4_mapped_ipv6_address x Use IPv4 Mapped IPv6 Address x -l3_target_count x Number of RTs in L3VNI Export Route Target List(multiplier) x -l3_import_target_count x Number of RTs in L3VNI Import Route Target List(multiplier) x -l3_import_rt_same_as_l3_export_rt x L3VNI Import RT List Same As L3VNI Export RT List -l3_target_type List of the target type. -l3_target AS number or IP address list based on the -target_type list. x -l3_target_inner_step x Increment value to step the base target field when -target_count is greater than 1. x -l3_target_step x Increment value to step the base target field. x -l3_target_as4_number x L3VNI Export Route Target AS4 Number x -l3_target_ip_address x L3VNI Export Route Target IP -l3_target_assign The assigned number subfield of the value field of the target.It is a number from a numbering space which is maintained by the enterprise administers for a given IP address or ASN space.It is the local part of the target. x -l3_target_assign_inner_step x Increment value to step the base target assigned number fieldwhen -target_count is greater than 1. x -l3_target_assign_step x Increment value to step the base target assigned number field. -l3_import_target_type List of the import target type. -l3_import_target AS number or IP address list based on the -import_target_type list. n -l3_import_target_step n This argument defined by Cisco is not supported for NGPF implementation. x -l3_import_target_inner_step x Increment value to step the base import target field when -target_count is greater than 1. x -l3_import_target_as4_number x L3VNI Import Route Target AS4 Number x -l3_import_target_ip_address x L3VNI Import Route Target IP -l3_import_target_assign The assigned number subfield of the value field of the import target. It is a number from a numbering space which is maintained by the enterprise administers for a given IP address or ASN space.It is the local part of the import target. n -l3_import_target_assign_step n This argument defined by Cisco is not supported for NGPF implementation. x -l3_import_target_assign_inner_step x Increment value to step the base import target assigned number field when -target_count is greater than 1. x -enable_next_hop x Enable Next Hop x -set_next_hop x Set Next Hop x -set_next_hop_ip_type x Set Next Hop IP Type x -ipv4_next_hop x IPv4 Next Hop x -ipv6_next_hop x IPv6 Next Hop x -enable_origin x Enable Origin x -enable_local_preference x Enable Local Preference x -local_preference x Local Preference x -enable_multi_exit_discriminator x Enable Multi Exit x -multi_exit_discriminator x Multi Exit x -enable_atomic_aggregate x Enable Atomic Aggregate x -enable_aggregator_id x Enable Aggregator ID x -enable_originator_id x Enable Originator ID x -evpn x Enable BGP EVPN x -pbb_evpn x Enable BGP PBB-EVPN x -evpn_vxlan x Enable BGP EVPN-VXLAN x -evpn_vpws x Enable BGP EVPN-VPWS x -vxlan_vpws x Enable BGP VXLAN-VPWS x -ethernet_tag_id x Ethernet Tag ID x -enable_vlan_aware_service x Enable VLAN Aware Service x -useb_vlan x Use B-VLAN x -b_vlan_id x B VLAN ID x -b_vlan_priority x B VLAN Priority x -b_vlan_tpid x B VLAN TPID x -broadcast_domain_ad_route_label x AD Route Label x -no_of_mac_pools x Number of Mac Pools x -enable_broadcast_domain x Activates the Broadcast Domain item x -use_same_sequence_number x Use Same Sequence Number x -enable_user_defined_sequence_number x Enable User Defined Sequence Number x -sequence_number x Sequence Number x -advertise_ipv4_address x Advertise IPv4 Address x -ipv4_address_prefix_length x IPv4 Address Prefix Length which is used to determine the intersubnetting between local and remote host x -advertise_ipv6_address x Advertise IPv6 Address x -ipv6_address_prefix_length x IPv6 Address Prefix Length which is used to determine the intersubnetting between local and remote host x -active_ts x Active TS x -enable_sticky_static_flag x Enable Sticky/Static Flag x -include_default_gateway_extended_community x Include Default Gateway Extended Community x -first_label_start x First Label (L2) Start x -enable_second_label x Enable Second Label (L3) x -second_label_start x Second Label (L3) Start x -label_mode x Label Mode x -label_start x Label (L2) Start x -cmac x Enable CMAC Properties x -evpn_ipv4_prefix_range x Enable EVPN IPv4 Prefix Range x -evpn_ipv6_prefix_range x Enable EVPN IPv6 Prefix Range x -export_rt_as_number x Export Route Target AS Number x -export_rt_as4_number x Export Route Target AS4 Number x -export_rt_ip_address x IP x -export_rt_assigned_number x Export Route Target Assigned Number x -export_rt_type x List of the target type. x -import_rt_as_number x Export Route Target AS Number x -import_rt_as4_number x Export Route Target AS4 Number x -import_rt_ip_address x IP x -import_rt_assigned_number x Export Route Target Assigned Number x -import_rt_type x List of the target type. x -multicast_tunnel_type_vxlan x Multicast Tunnel Type x -group_address x Group Address x -sender_address_p_root_node_address x Sender Address/P-Root Node Address x -group_address_v6 x Group Address x -sender_address_p_root_node_address_v6 x Sender Address/P-Root Node Address x -rsvp_p2mp_id x RSVP P2MP ID x -rsvp_p2mp_id_as_number x RSVP P2MP ID as Number x -rsvp_tunnel_id x RSVP Tunnel ID x -remote_service_id x Remote Service ID x -vid_normalization x VID Normalization x -include_vpws_l2_attr_ext_comm x Include VPWS Layer 2 Attributes Extended Community x -primary_p_e x Primary PE x -backup_flag x Backup Flag x -require_c_w x Require CW x -l2_mtu x L2 MTU x -fxc_type x FXC Type x -root_address x Root Address x -name x MVPN Opaque TLV 1 x -type x Type x -tlv_length x Length x -value x Value x -advertise_srv6_sid x If enabled, advertise SRv6 SID. x -srv6_sid_loc x SRv6 Segment Identifier. It consists of Locator, Func and Args. x -srv6_sid_step x Route Range SRv6 SID Step. x -inc_srv6_sid_struct_ss_tlv x If enabled, include SRv6 SID Structure Sub-Sub TLV. x -loc_block_length x Locator Block Length. x -loc_node_length x Locator Node Length. x -function_length x Function Length. x -argument_length x Argument Length. x -mv_enable_transposition x Enable Transposition. x -tranposition_length x Transposition Length. x -tranposition_offset x Transposition Offset. x -srv6_sid_loc_len x SRv6 Segment Identifier Locator Length. x -adv_srv6_sid_in_igp x If enabled, advertise SRv6 Segment Identifier in IGP. x -srv6_sid_loc_metric x SRv6 Segment Identifier Locator Metric. x -srv6_sid_reserved x SRv6 Segment Identifier Reserved Value (SRv6 SID Service TLV Level). x -srv6_sid_flags x SRv6 Segment Identifier Flags Value. x -srv6_sid_reserved1 x SRv6 Segment Identifier Reserved1 Field for Service Information sub-TLV. x -srv6_endpoint_behavior x SRv6 Endpoint Behavior field Value for all routes in this Route Range. x -srv6_sid_reserved2 x SRv6 SID Reserved2 Field for Service Information sub-TLV. x -send_srv6_sid_optional_info x If we need to advertise SRv6 SID Optional Information (Service Information sub-TLV) which is specified in next column(s). x -srv6_sid_optional_information x SRv6 SID Optional Information field Value (Service Information sub-TLV) for all routes in this Route Range. x -advertise_srv6_sid_pmsi x If enabled, advertise SRv6 SID. x -srv6_sid_loc_pmsi x SRv6 Segment Identifier. It consists of Locator, Func and Args. x -srv6_sid_loc_len_pmsi x SRv6 Segment Identifier Locator Length. x -adv_srv6_sid_in_igp_pmsi x If enabled, advertise SRv6 Segment Identifier in IGP. x -srv6_sid_loc_metric_pmsi x SRv6 Segment Identifier Locator Metric. x -srv6_sid_reserved_pmsi x SRv6 Segment Identifier Reserved Value (SRv6 SID Service TLV Level). x -srv6_sid_flags_pmsi x SRv6 Segment Identifier Flags Value. x -srv6_sid_reserved1_pmsi x SRv6 Segment Identifier Reserved1 Field for Service Information sub-TLV. x -srv6_endpoint_behavior_pmsi x SRv6 Endpoint Behavior field Value for all routes in this Route Range. x -srv6_sid_reserved2_pmsi x SRv6 SID Reserved2 Field for Service Information sub-TLV. x -send_srv6_sid_optional_info_pmsi x If enabled, advertise SRv6 SID Optional Information (Service Information sub-TLV) which is specified in next column(s). x -srv6_sid_optional_information_pmsi
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_route_config.py_part13
x -evpn_ipv6_prefix_range x Enable EVPN IPv6 Prefix Range x -export_rt_as_number x Export Route Target AS Number x -export_rt_as4_number x Export Route Target AS4 Number x -export_rt_ip_address x IP x -export_rt_assigned_number x Export Route Target Assigned Number x -export_rt_type x List of the target type. x -import_rt_as_number x Export Route Target AS Number x -import_rt_as4_number x Export Route Target AS4 Number x -import_rt_ip_address x IP x -import_rt_assigned_number x Export Route Target Assigned Number x -import_rt_type x List of the target type. x -multicast_tunnel_type_vxlan x Multicast Tunnel Type x -group_address x Group Address x -sender_address_p_root_node_address x Sender Address/P-Root Node Address x -group_address_v6 x Group Address x -sender_address_p_root_node_address_v6 x Sender Address/P-Root Node Address x -rsvp_p2mp_id x RSVP P2MP ID x -rsvp_p2mp_id_as_number x RSVP P2MP ID as Number x -rsvp_tunnel_id x RSVP Tunnel ID x -remote_service_id x Remote Service ID x -vid_normalization x VID Normalization x -include_vpws_l2_attr_ext_comm x Include VPWS Layer 2 Attributes Extended Community x -primary_p_e x Primary PE x -backup_flag x Backup Flag x -require_c_w x Require CW x -l2_mtu x L2 MTU x -fxc_type x FXC Type x -root_address x Root Address x -name x MVPN Opaque TLV 1 x -type x Type x -tlv_length x Length x -value x Value x -advertise_srv6_sid x If enabled, advertise SRv6 SID. x -srv6_sid_loc x SRv6 Segment Identifier. It consists of Locator, Func and Args. x -srv6_sid_step x Route Range SRv6 SID Step. x -inc_srv6_sid_struct_ss_tlv x If enabled, include SRv6 SID Structure Sub-Sub TLV. x -loc_block_length x Locator Block Length. x -loc_node_length x Locator Node Length. x -function_length x Function Length. x -argument_length x Argument Length. x -mv_enable_transposition x Enable Transposition. x -tranposition_length x Transposition Length. x -tranposition_offset x Transposition Offset. x -srv6_sid_loc_len x SRv6 Segment Identifier Locator Length. x -adv_srv6_sid_in_igp x If enabled, advertise SRv6 Segment Identifier in IGP. x -srv6_sid_loc_metric x SRv6 Segment Identifier Locator Metric. x -srv6_sid_reserved x SRv6 Segment Identifier Reserved Value (SRv6 SID Service TLV Level). x -srv6_sid_flags x SRv6 Segment Identifier Flags Value. x -srv6_sid_reserved1 x SRv6 Segment Identifier Reserved1 Field for Service Information sub-TLV. x -srv6_endpoint_behavior x SRv6 Endpoint Behavior field Value for all routes in this Route Range. x -srv6_sid_reserved2 x SRv6 SID Reserved2 Field for Service Information sub-TLV. x -send_srv6_sid_optional_info x If we need to advertise SRv6 SID Optional Information (Service Information sub-TLV) which is specified in next column(s). x -srv6_sid_optional_information x SRv6 SID Optional Information field Value (Service Information sub-TLV) for all routes in this Route Range. x -advertise_srv6_sid_pmsi x If enabled, advertise SRv6 SID. x -srv6_sid_loc_pmsi x SRv6 Segment Identifier. It consists of Locator, Func and Args. x -srv6_sid_loc_len_pmsi x SRv6 Segment Identifier Locator Length. x -adv_srv6_sid_in_igp_pmsi x If enabled, advertise SRv6 Segment Identifier in IGP. x -srv6_sid_loc_metric_pmsi x SRv6 Segment Identifier Locator Metric. x -srv6_sid_reserved_pmsi x SRv6 Segment Identifier Reserved Value (SRv6 SID Service TLV Level). x -srv6_sid_flags_pmsi x SRv6 Segment Identifier Flags Value. x -srv6_sid_reserved1_pmsi x SRv6 Segment Identifier Reserved1 Field for Service Information sub-TLV. x -srv6_endpoint_behavior_pmsi x SRv6 Endpoint Behavior field Value for all routes in this Route Range. x -srv6_sid_reserved2_pmsi x SRv6 SID Reserved2 Field for Service Information sub-TLV. x -send_srv6_sid_optional_info_pmsi x If enabled, advertise SRv6 SID Optional Information (Service Information sub-TLV) which is specified in next column(s). x -srv6_sid_optional_information_pmsi x SRv6 SID Optional Information field Value (Service Information sub-TLV) for all routes in this Route Range. x -bd_advertise_srv6_sid x If enabled, advertise SRv6 SID. x -bd_srv6_sid_loc x SRv6 Segment Identifier. It consists of Locator, Func and Args. x -bd_inc_srv6_sid_struct_ss_tlv x If enabled, Include SRv6 SID Structure Sub-Sub TLV. x -bd_loc_block_length x Locator Block Length. x -bd_loc_node_length x Locator Node Length. x -bd_function_length x Function Length. x -bd_argument_length x Argument Length. x -bd_mv_enable_transposition x Enable Transposition. x -bd_tranposition_length x Transposition Length. x -bd_tranposition_offset x Transposition Offset. x -bd_srv6_sid_loc_len x SRv6 Segment Identifier Locator Length. x -bd_adv_srv6_sid_in_igp x If enabled, advertise SRv6 Segment Identifier in IGP. x -bd_srv6_sid_loc_metric x SRv6 Segment Identifier Locator Metric. x -bd_srv6_sid_reserved x SRv6 Segment Identifier Reserved Value (SRv6 SID Service TLV Level). x -bd_srv6_sid_flags x SRv6 Segment Identifier Flags Value. x -bd_srv6_sid_reserved1 x SRv6 Segment Identifier Reserved1 Field for Service Information sub-TLV. x -bd_srv6_endpoint_behavior x SRv6 Endpoint Behavior field Value for all routes in this Route Range. x -bd_srv6_sid_reserved2 x SRv6 SID Reserved2 Field for Service Information sub-TLV. x -bd_send_srv6_sid_optional_info x If enabled, advertise SRv6 SID Optional Information (Service Information sub-TLV) which is specified in next column(s). x -bd_srv6_sid_optional_information x SRv6 SID Optional Information field Value (Service Information sub-TLV) for all routes in this Route Range. x -cmac_l2_advertise_srv6_sid x If enabled, advertise SRv6 SID. x -cmac_l2_srv6_sid_loc x SRv6 Segment Identifier. It consists of Locator, Func and Args. x -cmac_l2_srv6_sid_step x Route Range SRv6 SID Step x -cmac_l2_srv6_sid_loc_len x SRv6 Segment Identifier Locator Length. x -cmac_l2_adv_srv6_sid_in_igp x If enabled, advertise SRv6 Segment Identifier in IGP. x -cmac_l2_srv6_sid_loc_metric x SRv6 Segment Identifier Locator Metric. x -cmac_l2_srv6_sid_reserved x SRv6 Segment Identifier Reserved Value (SRv6 SID Service TLV Level). x -cmac_l2_srv6_sid_flags x SRv6 Segment Identifier Flags Value. x -cmac_l2_srv6_sid_reserved1 x SRv6 Segment Identifier Reserved1 Field for Service Information sub-TLV. x -cmac_l2_srv6_endpoint_behavior x SRv6 Endpoint Behavior field Value for all routes in this Route Range. x -cmac_l2_srv6_sid_reserved2 x SRv6 SID Reserved2 Field for Service Information sub-TLV. x -cmac_l2_send_srv6_sid_optional_info x If enabled, advertise SRv6 SID Optional Information (Service Information sub-TLV) which is specified in next column(s). x -cmac_l2_srv6_sid_optional_information x SRv6 SID Optional Information field Value (Service Information sub-TLV) for all routes in this Route Range. x -cmac_l3_advertise_srv6_sid x If enabled, advertise SRv6 SID. x -cmac_l3_srv6_sid_loc x SRv6 Segment Identifier. It consists of Locator, Func and Args. x -cmac_l3_srv6_sid_step x Route Range SRv6 SID Step x -cmac_l3_srv6_sid_loc_len x SRv6 Segment Identifier Locator Length. x -cmac_l3_adv_srv6_sid_in_igp x If enabled, advertise SRv6 Segment Identifier in IGP. x -cmac_l3_srv6_sid_loc_metric x SRv6 Segment Identifier Locator Metric. x -cmac_l3_srv6_sid_reserved x SRv6 Segment Identifier Reserved Value (SRv6 SID Service TLV Level). x -cmac_l3_srv6_sid_flags x SRv6 Segment Identifier Flags Value. x -cmac_l3_srv6_sid_reserved1 x SRv6 Segment Identifier Reserved1 Field for Service Information sub-TLV. x -cmac_l3_srv6_endpoint_behavior x SRv6 Endpoint Behavior field Value for all routes in this Route Range. x -cmac_l3_srv6_sid_reserved2 x SRv6 SID Reserved2 Field for Service Information sub-TLV. x -cmac_l3_send_srv6_sid_optional_info x If enabled, advertise SRv6 SID Optional Information (Service Information sub-TLV) which is specified in next column(s). x -cmac_l3_srv6_sid_optional_information x SRv6 SID Optional Information field Value (Service Information sub-TLV) for all routes in this Route Range. x -enable_srv6_sid x Enable SRv6 SID With VPN Route. x -l3vpn_srv6_sid_loc
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_route_config.py_part14
x SRv6 SID Optional Information field Value (Service Information sub-TLV) for all routes in this Route Range. x -bd_advertise_srv6_sid x If enabled, advertise SRv6 SID. x -bd_srv6_sid_loc x SRv6 Segment Identifier. It consists of Locator, Func and Args. x -bd_inc_srv6_sid_struct_ss_tlv x If enabled, Include SRv6 SID Structure Sub-Sub TLV. x -bd_loc_block_length x Locator Block Length. x -bd_loc_node_length x Locator Node Length. x -bd_function_length x Function Length. x -bd_argument_length x Argument Length. x -bd_mv_enable_transposition x Enable Transposition. x -bd_tranposition_length x Transposition Length. x -bd_tranposition_offset x Transposition Offset. x -bd_srv6_sid_loc_len x SRv6 Segment Identifier Locator Length. x -bd_adv_srv6_sid_in_igp x If enabled, advertise SRv6 Segment Identifier in IGP. x -bd_srv6_sid_loc_metric x SRv6 Segment Identifier Locator Metric. x -bd_srv6_sid_reserved x SRv6 Segment Identifier Reserved Value (SRv6 SID Service TLV Level). x -bd_srv6_sid_flags x SRv6 Segment Identifier Flags Value. x -bd_srv6_sid_reserved1 x SRv6 Segment Identifier Reserved1 Field for Service Information sub-TLV. x -bd_srv6_endpoint_behavior x SRv6 Endpoint Behavior field Value for all routes in this Route Range. x -bd_srv6_sid_reserved2 x SRv6 SID Reserved2 Field for Service Information sub-TLV. x -bd_send_srv6_sid_optional_info x If enabled, advertise SRv6 SID Optional Information (Service Information sub-TLV) which is specified in next column(s). x -bd_srv6_sid_optional_information x SRv6 SID Optional Information field Value (Service Information sub-TLV) for all routes in this Route Range. x -cmac_l2_advertise_srv6_sid x If enabled, advertise SRv6 SID. x -cmac_l2_srv6_sid_loc x SRv6 Segment Identifier. It consists of Locator, Func and Args. x -cmac_l2_srv6_sid_step x Route Range SRv6 SID Step x -cmac_l2_srv6_sid_loc_len x SRv6 Segment Identifier Locator Length. x -cmac_l2_adv_srv6_sid_in_igp x If enabled, advertise SRv6 Segment Identifier in IGP. x -cmac_l2_srv6_sid_loc_metric x SRv6 Segment Identifier Locator Metric. x -cmac_l2_srv6_sid_reserved x SRv6 Segment Identifier Reserved Value (SRv6 SID Service TLV Level). x -cmac_l2_srv6_sid_flags x SRv6 Segment Identifier Flags Value. x -cmac_l2_srv6_sid_reserved1 x SRv6 Segment Identifier Reserved1 Field for Service Information sub-TLV. x -cmac_l2_srv6_endpoint_behavior x SRv6 Endpoint Behavior field Value for all routes in this Route Range. x -cmac_l2_srv6_sid_reserved2 x SRv6 SID Reserved2 Field for Service Information sub-TLV. x -cmac_l2_send_srv6_sid_optional_info x If enabled, advertise SRv6 SID Optional Information (Service Information sub-TLV) which is specified in next column(s). x -cmac_l2_srv6_sid_optional_information x SRv6 SID Optional Information field Value (Service Information sub-TLV) for all routes in this Route Range. x -cmac_l3_advertise_srv6_sid x If enabled, advertise SRv6 SID. x -cmac_l3_srv6_sid_loc x SRv6 Segment Identifier. It consists of Locator, Func and Args. x -cmac_l3_srv6_sid_step x Route Range SRv6 SID Step x -cmac_l3_srv6_sid_loc_len x SRv6 Segment Identifier Locator Length. x -cmac_l3_adv_srv6_sid_in_igp x If enabled, advertise SRv6 Segment Identifier in IGP. x -cmac_l3_srv6_sid_loc_metric x SRv6 Segment Identifier Locator Metric. x -cmac_l3_srv6_sid_reserved x SRv6 Segment Identifier Reserved Value (SRv6 SID Service TLV Level). x -cmac_l3_srv6_sid_flags x SRv6 Segment Identifier Flags Value. x -cmac_l3_srv6_sid_reserved1 x SRv6 Segment Identifier Reserved1 Field for Service Information sub-TLV. x -cmac_l3_srv6_endpoint_behavior x SRv6 Endpoint Behavior field Value for all routes in this Route Range. x -cmac_l3_srv6_sid_reserved2 x SRv6 SID Reserved2 Field for Service Information sub-TLV. x -cmac_l3_send_srv6_sid_optional_info x If enabled, advertise SRv6 SID Optional Information (Service Information sub-TLV) which is specified in next column(s). x -cmac_l3_srv6_sid_optional_information x SRv6 SID Optional Information field Value (Service Information sub-TLV) for all routes in this Route Range. x -enable_srv6_sid x Enable SRv6 SID With VPN Route. x -l3vpn_srv6_sid_loc x SRv6 Segment Identifier. It consists of Locator, Func and Args. x -l3vpn_srv6_sid_step x Route Range SRv6 SID Step. x -l3vpn_inc_srv6_sid_struct_ss_tlv x If enabled, Include SRv6 SID Structure Sub-Sub TLV. x -l3vpn_loc_block_length x Locator Block Length. x -l3vpn_loc_node_length x Locator Node Length. x -l3vpn_function_length x Function Length. x -l3vpn_argument_length x Argument Length. x -l3vpn_enable_transposition x Enable Transposition. x -l3vpn_transposition_mode x Transposition Mode. x -l3vpn_transposition_alignment x Transposition Alignment. x -l3vpn_tranposition_length x Transposition Length. x -l3vpn_tranposition_offset x Transposition Offset. x -l3vpn_srv6_sid_loc_len x SRv6 Segment Identifier Locator Length. x -l3vpn_adv_srv6_sid_in_igp x If enabled, advertise SRv6 Segment Identifier in IGP. x -l3vpn_srv6_sid_loc_metric x SRv6 Segment Identifier Locator Metric. x -l3vpn_srv6_sid_reserved x SRv6 Segment Identifier Reserved Value (SRv6 SID Service TLV Level). x -l3vpn_srv6_sid_flags x SRv6 Segment Identifier Flags Value. x -l3vpn_srv6_sid_reserved1 x SRv6 Segment Identifier Reserved1 Field for Service Information sub-TLV. x -l3vpn_srv6_endpoint_behavior x SRv6 Endpoint Behavior field Value for all routes in this Route Range. x -l3vpn_srv6_sid_reserved2 x SRv6 SID Reserved2 Field for Service Information sub-TLV. x -l3vpn_send_srv6_sid_optional_info x If enabled, advertise SRv6 SID Optional Information (Service Information sub-TLV) which is specified in next column(s). x -l3vpn_srv6_sid_optional_information x SRv6 SID Optional Information field Value (Service Information sub-TLV) for all routes in this Route Range. x -enable_ipv4_receiver x Enable As IPv4 Receiver Site x -enable_ipv4_sender x Enable As IPv4 Sender Site x -enable_ipv6_receiver x Enable As IPv6 Receiver Site x -enable_ipv6_sender x Enable As IPv6 Sender Site Return Values: A list containing the network group protocol stack handles that were added by the command (if any). x key:network_group_handle value:A list containing the network group protocol stack handles that were added by the command (if any). A list containing the ip routes protocol stack handles that were added by the command (if any). x key:ip_routes value:A list containing the ip routes protocol stack handles that were added by the command (if any). A list containing the l3 vpn routes protocol stack handles that were added by the command (if any). x key:l3_vpn_routes value:A list containing the l3 vpn routes protocol stack handles that were added by the command (if any). A list containing the ip prefix protocol stack handles that were added by the command (if any). x key:ip_prefix value:A list containing the ip prefix protocol stack handles that were added by the command (if any). A list containing the mac pools protocol stack handles that were added by the command (if any). x key:mac_pools value:A list containing the mac pools protocol stack handles that were added by the command (if any). A list containing the macpool ip prefix protocol stack handles that were added by the command (if any). x key:macpool_ip_prefix value:A list containing the macpool ip prefix protocol stack handles that were added by the command (if any). A list containing the cmac properties protocol stack handles that were added by the command (if any). x key:cmac_properties value:A list containing the cmac properties protocol stack handles that were added by the command (if any). A list containing the l2 site protocol stack handles that were added by the command (if any). x key:l2_site value:A list containing the l2 site protocol stack handles that were added by the command (if any). A list containing the label blocks protocol stack handles that were added by the command (if any). x key:label_blocks value:A list containing the label blocks protocol stack handles that were added by the command (if any). A list containing the bgp vrf protocol stack handles that were added by the command (if any). x key:bgp_vrf value:A list containing the bgp vrf protocol stack handles that were added by the command (if any). A list containing the ad l2vpn protocol stack handles that were added by the command (if any). x key:ad_l2vpn value:A list containing the ad l2vpn protocol stack handles that were added by the command (if any). A list containing the evpn evi protocol stack handles that were added by the command (if any). x key:evpn_evi value:A list containing the evpn evi protocol stack handles that were added by the command (if any). A list containing the broadcast domain protocol stack handles that were added by the command (if any). x key:broadcast_domain_handle value:A list containing the broadcast domain protocol stack handles that were added by the command (if any). A list containing the broadcast domain vpws protocol stack handles that were added by the command (if any). x key:broadcast_domain_vpws_handle value:A list containing the broadcast domain vpws protocol stack handles that were added by the command (if any). A list containing the broadcast domain vxlan vpws protocol stack handles that were added by the command (if any). x key:broadcast_domain_vxlan_vpws_handle value:A list containing the broadcast domain vxlan vpws protocol stack handles that were added by the command (if any). A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0.
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_route_config.py_part15
x -l3vpn_srv6_sid_loc x SRv6 Segment Identifier. It consists of Locator, Func and Args. x -l3vpn_srv6_sid_step x Route Range SRv6 SID Step. x -l3vpn_inc_srv6_sid_struct_ss_tlv x If enabled, Include SRv6 SID Structure Sub-Sub TLV. x -l3vpn_loc_block_length x Locator Block Length. x -l3vpn_loc_node_length x Locator Node Length. x -l3vpn_function_length x Function Length. x -l3vpn_argument_length x Argument Length. x -l3vpn_enable_transposition x Enable Transposition. x -l3vpn_transposition_mode x Transposition Mode. x -l3vpn_transposition_alignment x Transposition Alignment. x -l3vpn_tranposition_length x Transposition Length. x -l3vpn_tranposition_offset x Transposition Offset. x -l3vpn_srv6_sid_loc_len x SRv6 Segment Identifier Locator Length. x -l3vpn_adv_srv6_sid_in_igp x If enabled, advertise SRv6 Segment Identifier in IGP. x -l3vpn_srv6_sid_loc_metric x SRv6 Segment Identifier Locator Metric. x -l3vpn_srv6_sid_reserved x SRv6 Segment Identifier Reserved Value (SRv6 SID Service TLV Level). x -l3vpn_srv6_sid_flags x SRv6 Segment Identifier Flags Value. x -l3vpn_srv6_sid_reserved1 x SRv6 Segment Identifier Reserved1 Field for Service Information sub-TLV. x -l3vpn_srv6_endpoint_behavior x SRv6 Endpoint Behavior field Value for all routes in this Route Range. x -l3vpn_srv6_sid_reserved2 x SRv6 SID Reserved2 Field for Service Information sub-TLV. x -l3vpn_send_srv6_sid_optional_info x If enabled, advertise SRv6 SID Optional Information (Service Information sub-TLV) which is specified in next column(s). x -l3vpn_srv6_sid_optional_information x SRv6 SID Optional Information field Value (Service Information sub-TLV) for all routes in this Route Range. x -enable_ipv4_receiver x Enable As IPv4 Receiver Site x -enable_ipv4_sender x Enable As IPv4 Sender Site x -enable_ipv6_receiver x Enable As IPv6 Receiver Site x -enable_ipv6_sender x Enable As IPv6 Sender Site Return Values: A list containing the network group protocol stack handles that were added by the command (if any). x key:network_group_handle value:A list containing the network group protocol stack handles that were added by the command (if any). A list containing the ip routes protocol stack handles that were added by the command (if any). x key:ip_routes value:A list containing the ip routes protocol stack handles that were added by the command (if any). A list containing the l3 vpn routes protocol stack handles that were added by the command (if any). x key:l3_vpn_routes value:A list containing the l3 vpn routes protocol stack handles that were added by the command (if any). A list containing the ip prefix protocol stack handles that were added by the command (if any). x key:ip_prefix value:A list containing the ip prefix protocol stack handles that were added by the command (if any). A list containing the mac pools protocol stack handles that were added by the command (if any). x key:mac_pools value:A list containing the mac pools protocol stack handles that were added by the command (if any). A list containing the macpool ip prefix protocol stack handles that were added by the command (if any). x key:macpool_ip_prefix value:A list containing the macpool ip prefix protocol stack handles that were added by the command (if any). A list containing the cmac properties protocol stack handles that were added by the command (if any). x key:cmac_properties value:A list containing the cmac properties protocol stack handles that were added by the command (if any). A list containing the l2 site protocol stack handles that were added by the command (if any). x key:l2_site value:A list containing the l2 site protocol stack handles that were added by the command (if any). A list containing the label blocks protocol stack handles that were added by the command (if any). x key:label_blocks value:A list containing the label blocks protocol stack handles that were added by the command (if any). A list containing the bgp vrf protocol stack handles that were added by the command (if any). x key:bgp_vrf value:A list containing the bgp vrf protocol stack handles that were added by the command (if any). A list containing the ad l2vpn protocol stack handles that were added by the command (if any). x key:ad_l2vpn value:A list containing the ad l2vpn protocol stack handles that were added by the command (if any). A list containing the evpn evi protocol stack handles that were added by the command (if any). x key:evpn_evi value:A list containing the evpn evi protocol stack handles that were added by the command (if any). A list containing the broadcast domain protocol stack handles that were added by the command (if any). x key:broadcast_domain_handle value:A list containing the broadcast domain protocol stack handles that were added by the command (if any). A list containing the broadcast domain vpws protocol stack handles that were added by the command (if any). x key:broadcast_domain_vpws_handle value:A list containing the broadcast domain vpws protocol stack handles that were added by the command (if any). A list containing the broadcast domain vxlan vpws protocol stack handles that were added by the command (if any). x key:broadcast_domain_vxlan_vpws_handle value:A list containing the broadcast domain vxlan vpws protocol stack handles that were added by the command (if any). A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:bgp_routes value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:bgp_sites value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:broadcast_domain_handles value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:broadcast_domain_vpws_handles value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:broadcast_domain_vxlan_vpws_handles value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. Examples: Sample Input: Sample Output: Notes: Coded versus functional specification. 1) You can configure multiple BGP route range on each Ixia interface. If the current session or command was run with -return_detailed_handles 0 the following keys will be omitted from the command response: bgp_routes, bgp_sites, broadcast_domain_handles, broadcast_domain_vpws_handles, broadcast_domain_vxlan_vpws_handles See Also: ''' hlpy_args = locals().copy() hlpy_args.update(kwargs) del hlpy_args['self'] del hlpy_args['kwargs'] not_implemented_params = [] mandatory_params = [] file_params = ['route_file', 'custom_distribution_file', 'ipv6_custom_distribution_file'] try: return self.__execute_command( 'emulation_bgp_route_config', not_implemented_params, mandatory_params, file_params, hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_route_config.py_part16
x key:bgp_routes value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:bgp_sites value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:broadcast_domain_handles value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:broadcast_domain_vpws_handles value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:broadcast_domain_vxlan_vpws_handles value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. Examples: Sample Input: Sample Output: Notes: Coded versus functional specification. 1) You can configure multiple BGP route range on each Ixia interface. If the current session or command was run with -return_detailed_handles 0 the following keys will be omitted from the command response: bgp_routes, bgp_sites, broadcast_domain_handles, broadcast_domain_vpws_handles, broadcast_domain_vxlan_vpws_handles See Also: ''' hlpy_args = locals().copy() hlpy_args.update(kwargs) del hlpy_args['self'] del hlpy_args['kwargs'] not_implemented_params = [] mandatory_params = [] file_params = ['route_file', 'custom_distribution_file', 'ipv6_custom_distribution_file'] try: return self.__execute_command( 'emulation_bgp_route_config', not_implemented_params, mandatory_params, file_params, hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_bgp_route_config.py_part17
# -*- coding: utf-8 -*- import sys from ixiaerror import IxiaError from ixiangpf import IxiaNgpf from ixiautil import PartialClass, make_hltapi_fail class IxiaNgpf(PartialClass, IxiaNgpf): def emulation_msrp_control(self, mode, **kwargs): r''' #Procedure Header Name: emulation_msrp_control Description: Control Operation on the MSRP Talker and Listener The following operations are done: 1. Start 2. Stop 3. Restart 4. Restart Down 6. Abort Synopsis: emulation_msrp_control -mode CHOICES restart CHOICES start CHOICES restart_down CHOICES stop CHOICES abort [-handle ANY] Arguments: -mode What is being done to the protocol.Valid choices are: restart - Restart the protocol. start- Start the protocol. stop- Stop the protocol. restart_down- Restart the down sessions. abort- Abort the protocol. -handle MSRP Talker or msrp listener handle where the msrp control action is applied. Return Values: $::SUCCESS | $::FAILURE key:status value:$::SUCCESS | $::FAILURE If status is failure, detailed information provided. key:log value:If status is failure, detailed information provided. Examples: Sample Input: Sample Output: Notes: See Also: ''' hlpy_args = locals().copy() hlpy_args.update(kwargs) del hlpy_args['self'] del hlpy_args['kwargs'] not_implemented_params = [] mandatory_params = [] file_params = [] try: return self.__execute_command( 'emulation_msrp_control', not_implemented_params, mandatory_params, file_params, hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_msrp_control.py_part1
# -*- coding: utf-8 -*- import sys from ixiaerror import IxiaError from ixiangpf import IxiaNgpf from ixiautil import PartialClass, make_hltapi_fail class IxiaNgpf(PartialClass, IxiaNgpf): def emulation_dotonex_info(self, mode, handle, **kwargs): r''' #Procedure Header Name: emulation_dotonex_info Description: Retrieves information about the Dotonex protocol. Synopsis: emulation_dotonex_info x -mode CHOICES per_port_stats x CHOICES per_session_stats x CHOICES clear_stats -handle ANY [-port_handle REGEXP ^[0-9]+/[0-9]+/[0-9]+$] Arguments: x -mode -handle The 802.1x handle to act upon. -port_handle Return Values: $::SUCCESS | $::FAILURE key:status value:$::SUCCESS | $::FAILURE If status is failure, detailed information provided. key:log value:If status is failure, detailed information provided. IEEE 802.1X Up x key:sessions_up value:IEEE 802.1X Up IEEE 802.1X Down x key:sessions_down value:IEEE 802.1X Down IEEE 802.1X Not Started x key:sessions_not_started value:IEEE 802.1X Not Started IEEE 802.1X Total x key:sessions_total value:IEEE 802.1X Total Establishment Time x key:establishment_time value:Establishment Time Sessions Initiated x key:sessions_initiated value:Sessions Initiated Sessions Succeeded x key:sessions_succeeded value:Sessions Succeeded Sessions Failed x key:sessions_failed value:Sessions Failed Setup Rate * 100 x key:setup_rate value:Setup Rate * 100 Min Setup Rate * 100 x key:min_setup_rate value:Min Setup Rate * 100 Max Setup Rate * 100 x key:max_setup_rate value:Max Setup Rate * 100 Avg Setup Rate * 100 x key:avg_setup_rate value:Avg Setup Rate * 100 Sessions Teardown Succeeded x key:sessions_teardown_succeeded value:Sessions Teardown Succeeded Sessions Teardown Failed x key:sessions_teardown_failed value:Sessions Teardown Failed Teardown Rate * 100 x key:teardown_rate value:Teardown Rate * 100 Min Teardown Rate * 100 x key:min_teardown_rate value:Min Teardown Rate * 100 Max Teardown Rate * 100 x key:max_teardown_rate value:Max Teardown Rate * 100 Avg Teardown Rate * 100 x key:avg_teardown_rate value:Avg Teardown Rate * 100 EAPOL Start Tx x key:eapol_start_tx value:EAPOL Start Tx EAPOL Logoff x key:eapol_logoff value:EAPOL Logoff EAP ID Responses x key:eapid_responses value:EAP ID Responses EAP Non ID Responses x key:eapnonid_responses value:EAP Non ID Responses EAP ID Requests x key:eapid_requests value:EAP ID Requests EAP Non ID Requests x key:eapnonid_requests value:EAP Non ID Requests EAP Success x key:eap_success value:EAP Success EAP Failure x key:eap_failure value:EAP Failure EAP Length Error Rx x key:eap_length_err_rx value:EAP Length Error Rx EAP Alert Rx x key:eap_alert_rx value:EAP Alert Rx EAP Unexpected Failure x key:eap_unexpected_failure value:EAP Unexpected Failure MD5 Sessions x key:md5_sessions value:MD5 Sessions MD5 Success x key:md5_success value:MD5 Success MD5 Timeout Failed x key:md5_timeout_failed value:MD5 Timeout Failed MD5 EAP Failed x key:md5_eap_failed value:MD5 EAP Failed MD5 Latency [ms] x key:md5_latency value:MD5 Latency [ms] TLS Sessions x key:tls_sessions value:TLS Sessions TLS Success x key:tls_success value:TLS Success TLS Timeout Failed x key:tls_timeout_failed value:TLS Timeout Failed TLS EAP Failed x key:tls_eap_failed value:TLS EAP Failed TLS Latency [ms] x key:tls_latency value:TLS Latency [ms] PEAP Sessions x key:peap_sessions value:PEAP Sessions PEAP Success x key:peap_success value:PEAP Success PEAP Timeout Failed x key:peap_timeout_failed value:PEAP Timeout Failed PEAP EAP Failed x key:peap_eap_failed value:PEAP EAP Failed PEAP Latency [ms] x key:peap_latency value:PEAP Latency [ms] TTLS Sessions x key:ttls_sessions value:TTLS Sessions TTLS Success x key:ttls_success value:TTLS Success TTLS Timeout Failed x key:ttls_timeout_failed value:TTLS Timeout Failed TTLS EAP Failed x key:ttls_eap_failed value:TTLS EAP Failed TTLS Latency [ms] x key:ttls_latency value:TTLS Latency [ms] FAST Sessions x key:fast_sessions value:FAST Sessions FAST Success x key:fast_success value:FAST Success FAST Timeout Failed x key:fast_timeout_failed value:FAST Timeout Failed FAST EAP Failed x key:fast_eap_failed value:FAST EAP Failed FAST Latency [ms] x key:fast_latency value:FAST Latency [ms] Host Sessions x key:host_sessions value:Host Sessions Host Success x key:host_success value:Host Success Host Timeout Failed x key:host_timeout_failed value:Host Timeout Failed Host EAP Failed x key:host_eap_failed value:Host EAP Failed User Sessions x key:user_sessions value:User Sessions User Success x key:user_success value:User Success User Timeout Failed x key:user_timeout_failed value:User Timeout Failed User EAP Failed x key:user_eap_failed value:User EAP Failed Examples: Sample Input: Sample Output: Notes: Coded versus functional specification. See Also: ''' hlpy_args = locals().copy() hlpy_args.update(kwargs) del hlpy_args['self'] del hlpy_args['kwargs'] not_implemented_params = [] mandatory_params = [] file_params = [] try: return self.__execute_command( 'emulation_dotonex_info', not_implemented_params, mandatory_params, file_params, hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_dotonex_info.py_part1
x key:ttls_latency value:TTLS Latency [ms] FAST Sessions x key:fast_sessions value:FAST Sessions FAST Success x key:fast_success value:FAST Success FAST Timeout Failed x key:fast_timeout_failed value:FAST Timeout Failed FAST EAP Failed x key:fast_eap_failed value:FAST EAP Failed FAST Latency [ms] x key:fast_latency value:FAST Latency [ms] Host Sessions x key:host_sessions value:Host Sessions Host Success x key:host_success value:Host Success Host Timeout Failed x key:host_timeout_failed value:Host Timeout Failed Host EAP Failed x key:host_eap_failed value:Host EAP Failed User Sessions x key:user_sessions value:User Sessions User Success x key:user_success value:User Success User Timeout Failed x key:user_timeout_failed value:User Timeout Failed User EAP Failed x key:user_eap_failed value:User EAP Failed Examples: Sample Input: Sample Output: Notes: Coded versus functional specification. See Also: ''' hlpy_args = locals().copy() hlpy_args.update(kwargs) del hlpy_args['self'] del hlpy_args['kwargs'] not_implemented_params = [] mandatory_params = [] file_params = [] try: return self.__execute_command( 'emulation_dotonex_info', not_implemented_params, mandatory_params, file_params, hlpy_args ) except (IxiaError, ): e = sys.exc_info()[1] return make_hltapi_fail(e.message)
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_dotonex_info.py_part2
# -*- coding: utf-8 -*- import sys from ixiaerror import IxiaError from ixiangpf import IxiaNgpf from ixiautil import PartialClass, make_hltapi_fail class IxiaNgpf(PartialClass, IxiaNgpf): def emulation_isis_config(self, mode, handle, **kwargs): r''' #Procedure Header Name: emulation_isis_config Description: This procedure is used to create, modify and delete ISIS routers on an Ixia interface. The user can create a single or multiple ISIS routers. These routers can be either L1, L2, or L1L2. Synopsis: emulation_isis_config -mode CHOICES create CHOICES modify CHOICES delete CHOICES disable CHOICES enable -handle ANY x [-send_p2p_hellos_to_unicast_mac CHOICES 0 1] x [-rate_control_interval NUMERIC] x [-no_of_lsps_or_mgroup_pdus_per_interval NUMERIC] x [-start_rate_scale_mode CHOICES port device_group x DEFAULT port] x [-start_rate_enabled CHOICES 0 1] x [-start_rate_interval NUMERIC] x [-start_rate ANY] x [-stop_rate_scale_mode CHOICES port device_group x DEFAULT port] x [-stop_rate_enabled CHOICES 0 1] x [-stop_rate_interval NUMERIC] x [-stop_rate ANY] x [-sr_draft_extension CHOICES extension3 x CHOICES extension10 x CHOICES rfc8667] x [-srms_preference_sub_tlv_type NUMERIC] x [-srlb_sub_tlv_type NUMERIC] x [-fa_app_spec_link_attr_sub_tlv_type NUMERIC] x [-fa_fad_sub_tlv_type NUMERIC] x [-fa_eag_sub_tlv_type NUMERIC] x [-fa_fai_any_sub_tlv_type NUMERIC] x [-fa_fai_all_sub_tlv_type NUMERIC] x [-fa_fadf_sub_tlv_type NUMERIC] x [-if_active CHOICES 0 1] [-discard_lsp CHOICES 0 1] [-system_id HEX8WITHSPACES] x [-system_id_step HEX8WITHSPACES x DEFAULT 00:00:00:00:00:01] [-te_enable CHOICES 0 1] [-te_router_id IP] x [-te_router_id_step IP x DEFAULT 0.0.0.1] x [-enable_ipv6_te CHOICES 0 1] x [-ipv6_te_router_id IPV6] x [-enable_host_name CHOICES 0 1] x [-host_name REGEXP ^[0-9,a-f,A-F]+$] [-wide_metrics CHOICES 0 1 DEFAULT 0] x [-protocol_name ALPHA] x [-active CHOICES 0 1] [-intf_metric RANGE 0-16777215] x [-enable_configured_hold_time CHOICES 0 1] x [-configured_hold_time NUMERIC] x [-ipv6_mt_metric NUMERIC] x [-intf_type CHOICES broadcast ptop] x [-enable3_way_handshake CHOICES 0 1] x [-extended_local_circuit_id NUMERIC] n [-level_type ANY] x [-routing_level CHOICES L1 L2 L1L2] [-l1_router_priority RANGE 0-127] [-l2_router_priority RANGE 0-255] [-hello_interval RANGE 1-65535] x [-hello_interval_level1 RANGE 1-65535] x [-level1_dead_interval NUMERIC] x [-hello_interval_level2 RANGE 1-65535] x [-level2_dead_interval NUMERIC] x [-bfd_registration CHOICES 0 1 x DEFAULT 0] x [-suppress_hello CHOICES 0 1] x [-enable_mt_ipv6 CHOICES 0 1 x DEFAULT 0] x [-enable_mt CHOICES 0 1] x [-no_of_mtids NUMERIC] x [-hello_padding CHOICES 0 1] x [-max_area_addresses NUMERIC] [-area_id ANY DEFAULT 49 00 01] x [-area_id_step ANY x DEFAULT 00 00 00] [-graceful_restart CHOICES 0 1] [-graceful_restart_mode CHOICES normal CHOICES restarting CHOICES starting CHOICES helper] x [-graceful_restart_version CHOICES draft3 draft4] [-graceful_restart_restart_time ANY] [-attach_bit CHOICES 0 1] [-partition_repair CHOICES 0 1] [-overloaded CHOICES 0 1] n [-override_existence_check ANY] n [-override_tracking ANY] [-lsp_refresh_interval RANGE 1-65535] [-lsp_life_time RANGE 0-65535] x [-psnp_interval NUMERIC] x [-csnp_interval NUMERIC] [-max_packet_size RANGE 576-32832] x [-pdu_min_tx_interval NUMERIC] x [-auto_adjust_mtu CHOICES 0 1] x [-auto_adjust_area CHOICES 0 1] x [-auto_adjust_supported_protocols CHOICES 0 1] x [-ignore_receive_md5 CHOICES 0 1] [-area_authentication_mode CHOICES null text md5] [-area_password ALPHA] [-domain_authentication_mode CHOICES null text md5] [-domain_password ALPHA] x [-auth_type CHOICES none password md5] [-circuit_tranmit_password_md5_key ANY] x [-pdu_per_burst NUMERIC] x [-pdu_burst_gap ANY] x [-enable_sr CHOICES 0 1 x DEFAULT 0] [-router_id IPV4 DEFAULT 1.1.1.1] x [-node_prefix IPV4 x DEFAULT 1.1.1.1] x [-mask RANGE 1-32 x DEFAULT 32] x [-d_bit CHOICES 0 1 x DEFAULT 0] x [-s_bit CHOICES 0 1 x DEFAULT 0] x [-redistribution CHOICES up down x DEFAULT up] x [-r_flag CHOICES 0 1 x DEFAULT 0] x [-n_flag CHOICES 0 1 x DEFAULT 0] x [-p_flag CHOICES 0 1 x DEFAULT 0] x [-e_flag CHOICES 0 1 x DEFAULT 0] x [-v_flag CHOICES 0 1 x DEFAULT 0] x [-l_flag CHOICES 0 1 x DEFAULT 0] x [-ipv4_flag CHOICES 0 1 x DEFAULT 1] x [-ipv6_flag CHOICES 0 1 x DEFAULT 1] x [-configure_algorithm CHOICES 0 1 x DEFAULT 0] x [-algorithm_srmpls NUMERIC x DEFAULT 0] x [-configure_sid_index_label CHOICES 0 1 x DEFAULT 1] x [-sid_index_label NUMERIC x DEFAULT 0] x [-algorithm RANGE 0-255 x DEFAULT 0] x [-srgb_range_count RANGE 1-5 x DEFAULT 1] x [-start_sid_label RANGE 1-1048575 x DEFAULT 16000] x [-sid_count RANGE 1-1048575 x DEFAULT 8000] x [-interface_enable_adj_sid CHOICES 0 1 x DEFAULT 0] x [-interface_adj_sid RANGE 1-1048575 x DEFAULT 9001] x [-interface_override_f_flag CHOICES 0 1 x DEFAULT 0] x [-interface_f_flag CHOICES 0 1 x DEFAULT 0] x [-interface_b_flag CHOICES 0 1 x DEFAULT 0] x [-interface_v_flag CHOICES 0 1 x DEFAULT 1] x [-interface_l_flag CHOICES 0 1 x DEFAULT 0] x [-interface_s_flag CHOICES 0 1 x DEFAULT 0] x [-interface_p_flag CHOICES 0 1 x DEFAULT 0] x [-interface_weight RANGE 0-255 x DEFAULT 0] x [-interface_enable_ipv6_sid CHOICES 0 1] x [-interface_advertise_link_msd CHOICES 0 1] x [-interface_include_max_sl_msd CHOICES 0 1] x [-interface_max_sl_msd RANGE 0-255 x DEFAULT 3] x [-interface_include_max_end_pop_msd CHOICES 0 1] x [-interface_max_end_pop_msd RANGE 0-255 x DEFAULT 3] x [-interface_include_max_tinsert_msd CHOICES 0 1] x [-interface_max_tinsert_msd RANGE 0-255 x DEFAULT 3] x [-interface_include_max_tencap_msd CHOICES 0 1] x [-interface_max_tencap_msd RANGE 0-255 x DEFAULT 3] x [-interface_include_max_endd_msd CHOICES 0 1] x [-interface_max_endd_msd RANGE 0-255 x DEFAULT 3] x [-sr_tunnel_active CHOICES 0 1] x [-number_of_sr_tunnels RANGE 0-1000 x DEFAULT 0] x [-sr_tunnel_description REGEXP ^[0-9,a-f,A-F]+$] x [-using_head_end_node_prefix CHOICES 0 1 x DEFAULT 0] x [-source_ipv4 IPV4 x DEFAULT 100.0.0.1] x [-source_ipv6 IPV6 x DEFAULT 1000::1] x [-number_of_segments RANGE 1-20 x DEFAULT 1] x [-enable_segment CHOICES 0 1 x DEFAULT 1] x [-segment_type CHOICES node link x DEFAULT node] x [-node_system_id HEX8WITHSPACES] x [-neighbour_node_system_id HEX8WITHSPACES] x [-ipv6_srh_flag_emulated_router CHOICES 0 1] x [-rtrcap_id_for_srv6 IPV4]
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_isis_config.py_part1
x [-auto_adjust_mtu CHOICES 0 1] x [-auto_adjust_area CHOICES 0 1] x [-auto_adjust_supported_protocols CHOICES 0 1] x [-ignore_receive_md5 CHOICES 0 1] [-area_authentication_mode CHOICES null text md5] [-area_password ALPHA] [-domain_authentication_mode CHOICES null text md5] [-domain_password ALPHA] x [-auth_type CHOICES none password md5] [-circuit_tranmit_password_md5_key ANY] x [-pdu_per_burst NUMERIC] x [-pdu_burst_gap ANY] x [-enable_sr CHOICES 0 1 x DEFAULT 0] [-router_id IPV4 DEFAULT 1.1.1.1] x [-node_prefix IPV4 x DEFAULT 1.1.1.1] x [-mask RANGE 1-32 x DEFAULT 32] x [-d_bit CHOICES 0 1 x DEFAULT 0] x [-s_bit CHOICES 0 1 x DEFAULT 0] x [-redistribution CHOICES up down x DEFAULT up] x [-r_flag CHOICES 0 1 x DEFAULT 0] x [-n_flag CHOICES 0 1 x DEFAULT 0] x [-p_flag CHOICES 0 1 x DEFAULT 0] x [-e_flag CHOICES 0 1 x DEFAULT 0] x [-v_flag CHOICES 0 1 x DEFAULT 0] x [-l_flag CHOICES 0 1 x DEFAULT 0] x [-ipv4_flag CHOICES 0 1 x DEFAULT 1] x [-ipv6_flag CHOICES 0 1 x DEFAULT 1] x [-configure_algorithm CHOICES 0 1 x DEFAULT 0] x [-algorithm_srmpls NUMERIC x DEFAULT 0] x [-configure_sid_index_label CHOICES 0 1 x DEFAULT 1] x [-sid_index_label NUMERIC x DEFAULT 0] x [-algorithm RANGE 0-255 x DEFAULT 0] x [-srgb_range_count RANGE 1-5 x DEFAULT 1] x [-start_sid_label RANGE 1-1048575 x DEFAULT 16000] x [-sid_count RANGE 1-1048575 x DEFAULT 8000] x [-interface_enable_adj_sid CHOICES 0 1 x DEFAULT 0] x [-interface_adj_sid RANGE 1-1048575 x DEFAULT 9001] x [-interface_override_f_flag CHOICES 0 1 x DEFAULT 0] x [-interface_f_flag CHOICES 0 1 x DEFAULT 0] x [-interface_b_flag CHOICES 0 1 x DEFAULT 0] x [-interface_v_flag CHOICES 0 1 x DEFAULT 1] x [-interface_l_flag CHOICES 0 1 x DEFAULT 0] x [-interface_s_flag CHOICES 0 1 x DEFAULT 0] x [-interface_p_flag CHOICES 0 1 x DEFAULT 0] x [-interface_weight RANGE 0-255 x DEFAULT 0] x [-interface_enable_ipv6_sid CHOICES 0 1] x [-interface_advertise_link_msd CHOICES 0 1] x [-interface_include_max_sl_msd CHOICES 0 1] x [-interface_max_sl_msd RANGE 0-255 x DEFAULT 3] x [-interface_include_max_end_pop_msd CHOICES 0 1] x [-interface_max_end_pop_msd RANGE 0-255 x DEFAULT 3] x [-interface_include_max_tinsert_msd CHOICES 0 1] x [-interface_max_tinsert_msd RANGE 0-255 x DEFAULT 3] x [-interface_include_max_tencap_msd CHOICES 0 1] x [-interface_max_tencap_msd RANGE 0-255 x DEFAULT 3] x [-interface_include_max_endd_msd CHOICES 0 1] x [-interface_max_endd_msd RANGE 0-255 x DEFAULT 3] x [-sr_tunnel_active CHOICES 0 1] x [-number_of_sr_tunnels RANGE 0-1000 x DEFAULT 0] x [-sr_tunnel_description REGEXP ^[0-9,a-f,A-F]+$] x [-using_head_end_node_prefix CHOICES 0 1 x DEFAULT 0] x [-source_ipv4 IPV4 x DEFAULT 100.0.0.1] x [-source_ipv6 IPV6 x DEFAULT 1000::1] x [-number_of_segments RANGE 1-20 x DEFAULT 1] x [-enable_segment CHOICES 0 1 x DEFAULT 1] x [-segment_type CHOICES node link x DEFAULT node] x [-node_system_id HEX8WITHSPACES] x [-neighbour_node_system_id HEX8WITHSPACES] x [-ipv6_srh_flag_emulated_router CHOICES 0 1] x [-rtrcap_id_for_srv6 IPV4] x [-d_bit_for_srv6_cap CHOICES 0 1] x [-s_bit_for_srv6_cap CHOICES 0 1] x [-o_flag_of_srv6_cap CHOICES 0 1] x [-reserved_inside_srv6_cap_flag HEX] x [-srv6_node_prefix IPV6] x [-srv6_node_prefix_length NUMERIC] x [-advertise_node_msd ANY] x [-include_max_sl_msd CHOICES 0 1] x [-max_sl_msd RANGE 0-255 x DEFAULT 3] x [-include_max_end_pop_msd CHOICES 0 1] x [-max_end_pop_msd RANGE 0-255 x DEFAULT 3] x [-include_max_tinsert_msd CHOICES 0 1] x [-max_tinsert_msd RANGE 0-255 x DEFAULT 3] x [-include_max_tencap_msd CHOICES 0 1] x [-max_tencap_msd RANGE 0-255 x DEFAULT 3] x [-include_max_endd_msd CHOICES 0 1] x [-max_endd_msd RANGE 0-255 x DEFAULT 3] x [-interface_enable_app_spec_srlg RANGE 0-10 x CHOICES 0 1 x DEFAULT 0] x [-no_of_app_spec_srlg RANGE 0-10 x DEFAULT 0] x [-app_spec_srlg_l_flag CHOICES 0 1] x [-app_spec_srlg_std_app_type ALPHA] x [-app_spec_srlg_usr_def_app_bm_len RANGE 1-127 x DEFAULT 1] x [-app_spec_srlg_usr_def_ap_bm HEX] x [-app_spec_srlg_ipv4_interface_Addr CHOICES 0 1 x DEFAULT 1] x [-app_spec_srlg_ipv4_neighbor_Addr CHOICES 0 1 x DEFAULT 1] x [-app_spec_srlg_ipv6_interface_Addr CHOICES 0 1 x DEFAULT 1] x [-app_spec_srlg_ipv6_neighbor_Addr CHOICES 0 1 x DEFAULT 1] x [-interface_enable_srlg CHOICES 0 1 x DEFAULT 0] x [-srlg_value NUMERIC] x [-srlg_count RANGE 1-5 x DEFAULT 1] x [-flex_algo_count RANGE 0-128 x DEFAULT 0] x [-flex_algo RANGE 0-255 x DEFAULT 128] x [-fa_metric_type NUMERIC] x [-fa_calc_type RANGE 0-127 x DEFAULT 0] x [-fa_priority RANGE 0-255 x DEFAULT 0] x [-fa_enable_exclude_ag CHOICES 0 1] x [-fa_exclude_ag_ext_ag_len RANGE 1-10 x DEFAULT 1] x [-fa_exclude_ag_ext_ag HEX] x [-fa_enable_include_any_ag CHOICES 0 1] x [-fa_include_any_ag_ext_ag_len RANGE 1-10 x DEFAULT 1] x [-fa_include_any_ag_ext_ag HEX] x [-fa_enable_include_all_ag CHOICES 0 1] x [-fa_include_all_ag_ext_ag_len RANGE 1-10 x DEFAULT 1] x [-fa_include_all_ag_ext_ag HEX] x [-fa_enable_fadf_tlv CHOICES 0 1] x [-fa_fadf_len RANGE 1-4 x DEFAULT 1] x [-fa_fadf_m_flag CHOICES 0 1] x [-fa_fsdf_rsrvd HEX] x [-fa_dont_adv_in_sr_algo CHOICES 0 1] x [-fa_adv_twice_excl_ag CHOICES 0 1] x [-fa_adv_twice_incl_any_ag CHOICES 0 1] x [-fa_adv_twice_incl_all_ag CHOICES 0 1] x [-s_r_algorithm_count RANGE 1-5 x DEFAULT 1] x [-isis_sr_algorithm NUMERIC] x [-advertise_srlb CHOICES 0 1] x [-srlb_flags HEX] x [-srlb_descriptor_count RANGE 1-5 x DEFAULT 1] x [-srlbDescriptor_startSidLabel RANGE 1-1048575 x DEFAULT 16000] x [-srlbDescriptor_sidCount RANGE 1-1048575 x DEFAULT 8000] x [-enable_link_protection CHOICES 0 1] x [-extra_traffic CHOICES 0 1] x [-unprotected CHOICES 0 1] x [-shared CHOICES 0 1] x [-dedicated_one_to_one CHOICES 0 1] x [-dedicated_one_plus_one CHOICES 0 1] x [-enhanced CHOICES 0 1] x [-reserved0x40 CHOICES 0 1] x [-reserved0x80 CHOICES 0 1] x [-no_of_te_profiles RANGE 0-10] x [-traffic_engineering_name ALPHA] [-te_admin_group HEX]
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_isis_config.py_part2
x [-d_bit_for_srv6_cap CHOICES 0 1] x [-s_bit_for_srv6_cap CHOICES 0 1] x [-o_flag_of_srv6_cap CHOICES 0 1] x [-reserved_inside_srv6_cap_flag HEX] x [-srv6_node_prefix IPV6] x [-srv6_node_prefix_length NUMERIC] x [-advertise_node_msd ANY] x [-include_max_sl_msd CHOICES 0 1] x [-max_sl_msd RANGE 0-255 x DEFAULT 3] x [-include_max_end_pop_msd CHOICES 0 1] x [-max_end_pop_msd RANGE 0-255 x DEFAULT 3] x [-include_max_tinsert_msd CHOICES 0 1] x [-max_tinsert_msd RANGE 0-255 x DEFAULT 3] x [-include_max_tencap_msd CHOICES 0 1] x [-max_tencap_msd RANGE 0-255 x DEFAULT 3] x [-include_max_endd_msd CHOICES 0 1] x [-max_endd_msd RANGE 0-255 x DEFAULT 3] x [-interface_enable_app_spec_srlg RANGE 0-10 x CHOICES 0 1 x DEFAULT 0] x [-no_of_app_spec_srlg RANGE 0-10 x DEFAULT 0] x [-app_spec_srlg_l_flag CHOICES 0 1] x [-app_spec_srlg_std_app_type ALPHA] x [-app_spec_srlg_usr_def_app_bm_len RANGE 1-127 x DEFAULT 1] x [-app_spec_srlg_usr_def_ap_bm HEX] x [-app_spec_srlg_ipv4_interface_Addr CHOICES 0 1 x DEFAULT 1] x [-app_spec_srlg_ipv4_neighbor_Addr CHOICES 0 1 x DEFAULT 1] x [-app_spec_srlg_ipv6_interface_Addr CHOICES 0 1 x DEFAULT 1] x [-app_spec_srlg_ipv6_neighbor_Addr CHOICES 0 1 x DEFAULT 1] x [-interface_enable_srlg CHOICES 0 1 x DEFAULT 0] x [-srlg_value NUMERIC] x [-srlg_count RANGE 1-5 x DEFAULT 1] x [-flex_algo_count RANGE 0-128 x DEFAULT 0] x [-flex_algo RANGE 0-255 x DEFAULT 128] x [-fa_metric_type NUMERIC] x [-fa_calc_type RANGE 0-127 x DEFAULT 0] x [-fa_priority RANGE 0-255 x DEFAULT 0] x [-fa_enable_exclude_ag CHOICES 0 1] x [-fa_exclude_ag_ext_ag_len RANGE 1-10 x DEFAULT 1] x [-fa_exclude_ag_ext_ag HEX] x [-fa_enable_include_any_ag CHOICES 0 1] x [-fa_include_any_ag_ext_ag_len RANGE 1-10 x DEFAULT 1] x [-fa_include_any_ag_ext_ag HEX] x [-fa_enable_include_all_ag CHOICES 0 1] x [-fa_include_all_ag_ext_ag_len RANGE 1-10 x DEFAULT 1] x [-fa_include_all_ag_ext_ag HEX] x [-fa_enable_fadf_tlv CHOICES 0 1] x [-fa_fadf_len RANGE 1-4 x DEFAULT 1] x [-fa_fadf_m_flag CHOICES 0 1] x [-fa_fsdf_rsrvd HEX] x [-fa_dont_adv_in_sr_algo CHOICES 0 1] x [-fa_adv_twice_excl_ag CHOICES 0 1] x [-fa_adv_twice_incl_any_ag CHOICES 0 1] x [-fa_adv_twice_incl_all_ag CHOICES 0 1] x [-s_r_algorithm_count RANGE 1-5 x DEFAULT 1] x [-isis_sr_algorithm NUMERIC] x [-advertise_srlb CHOICES 0 1] x [-srlb_flags HEX] x [-srlb_descriptor_count RANGE 1-5 x DEFAULT 1] x [-srlbDescriptor_startSidLabel RANGE 1-1048575 x DEFAULT 16000] x [-srlbDescriptor_sidCount RANGE 1-1048575 x DEFAULT 8000] x [-enable_link_protection CHOICES 0 1] x [-extra_traffic CHOICES 0 1] x [-unprotected CHOICES 0 1] x [-shared CHOICES 0 1] x [-dedicated_one_to_one CHOICES 0 1] x [-dedicated_one_plus_one CHOICES 0 1] x [-enhanced CHOICES 0 1] x [-reserved0x40 CHOICES 0 1] x [-reserved0x80 CHOICES 0 1] x [-no_of_te_profiles RANGE 0-10] x [-traffic_engineering_name ALPHA] [-te_admin_group HEX] [-te_metric NUMERIC] [-te_max_bw REGEXP ^[0-9]+] [-te_max_resv_bw REGEXP ^[0-9]+$] [-te_unresv_bw_priority0 REGEXP ^[0-9]+$] [-te_unresv_bw_priority1 REGEXP ^[0-9]+$] [-te_unresv_bw_priority2 REGEXP ^[0-9]+$] [-te_unresv_bw_priority3 REGEXP ^[0-9]+$] [-te_unresv_bw_priority4 REGEXP ^[0-9]+$] [-te_unresv_bw_priority5 REGEXP ^[0-9]+$] [-te_unresv_bw_priority6 REGEXP ^[0-9]+$] [-te_unresv_bw_priority7 REGEXP ^[0-9]+$] x [-te_adv_ext_admin_group CHOICES 0 1] [-te_ext_admin_group_len NUMERIC] x [-te_ext_admin_group HEX] x [-te_adv_uni_dir_link_delay CHOICES 0 1] x [-te_uni_dir_link_delay_a_bit CHOICES 0 1] [-te_uni_dir_link_delay NUMERIC] x [-te_adv_min_max_unidir_link_delay CHOICES 0 1] x [-te_min_max_unidir_link_delay_a_bit CHOICES 0 1] [-te_uni_dir_min_link_delay NUMERIC] [-te_uni_dir_max_link_delay NUMERIC] x [-te_adv_unidir_delay_variation CHOICES 0 1] [-te_uni_dir_link_delay_variation NUMERIC] x [-te_adv_unidir_link_loss CHOICES 0 1] x [-te_unidir_link_loss_a_bit CHOICES 0 1] [-te_uni_dir_link_loss NUMERIC] x [-te_adv_unidir_residual_bw CHOICES 0 1] [-te_uni_dir_residual_bw NUMERIC] x [-te_adv_unidir_available_bw CHOICES 0 1] [-te_uni_dir_available_bw NUMERIC] x [-te_adv_unidir_utilized_bw CHOICES 0 1] [-te_uni_dir_utilized_bw NUMERIC] x [-te_mt_applicability_for_ipv6 CHOICES usesamete specifymtid x DEFAULT usesamete] [-te_mt_id NUMERIC] x [-te_adv_app_spec_traffic CHOICES 0 1] x [-te_app_spec_std_app_type ALPHA] x [-te_app_spec_l_flag CHOICES 0 1] x [-te_app_spec_usr_def_app_bm_len RANGE 1-127 x DEFAULT 1] x [-te_app_spec_usr_def_ap_bm HEX] x [-if_mt_id_active CHOICES 0 1] x [-if_mt_id RANGE 0-4095 x DEFAULT 2] x [-link_metric NUMERIC] n [-port_handle ANY] n [-atm_encapsulation ANY] [-count ANY DEFAULT 1] n [-dce_capability_router_id ANY] n [-dce_bcast_root_priority ANY] n [-dce_num_mcast_dst_trees ANY] n [-dce_device_id ANY] n [-dce_device_pri ANY] n [-dce_ftag_enable ANY] n [-dce_ftag ANY] [-gateway_ip_addr IPV4 DEFAULT 0.0.0.0] [-gateway_ip_addr_step IPV4 DEFAULT 0.0.1.0] [-gateway_ipv6_addr IPV6 DEFAULT 0::0] [-gateway_ipv6_addr_step IPV6 DEFAULT 0:0:0:1::0] n [-hello_password ANY] n [-interface_handle ANY] [-intf_ip_addr IPV4 DEFAULT 178.0.0.1] x [-intf_ip_prefix_length RANGE 1-32 x DEFAULT 24] [-intf_ip_addr_step IPV4 DEFAULT 0.0.1.0] [-intf_ipv6_addr IPV6 DEFAULT 4000::1] [-intf_ipv6_prefix_length RANGE 1-128 DEFAULT 64] [-intf_ipv6_addr_step IPV6 DEFAULT 0:0:0:1::0] n [-ip_version ANY] n [-loopback_bfd_registration ANY] n [-loopback_ip_addr ANY] n [-loopback_ip_addr_step ANY] n [-loopback_ip_prefix_length ANY] n [-loopback_ip_addr_count ANY] n [-loopback_metric ANY] n [-loopback_type ANY] n [-loopback_routing_level ANY] n [-loopback_l1_router_priority ANY] n [-loopback_l2_router_priority ANY] n [-loopback_te_metric ANY] n [-loopback_te_admin_group ANY] n [-loopback_te_max_bw ANY] n [-loopback_te_max_resv_bw ANY] n [-loopback_te_unresv_bw_priority0 ANY] n [-loopback_te_unresv_bw_priority1 ANY] n [-loopback_te_unresv_bw_priority2 ANY] n [-loopback_te_unresv_bw_priority3 ANY]
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_isis_config.py_part3
[-te_admin_group HEX] [-te_metric NUMERIC] [-te_max_bw REGEXP ^[0-9]+] [-te_max_resv_bw REGEXP ^[0-9]+$] [-te_unresv_bw_priority0 REGEXP ^[0-9]+$] [-te_unresv_bw_priority1 REGEXP ^[0-9]+$] [-te_unresv_bw_priority2 REGEXP ^[0-9]+$] [-te_unresv_bw_priority3 REGEXP ^[0-9]+$] [-te_unresv_bw_priority4 REGEXP ^[0-9]+$] [-te_unresv_bw_priority5 REGEXP ^[0-9]+$] [-te_unresv_bw_priority6 REGEXP ^[0-9]+$] [-te_unresv_bw_priority7 REGEXP ^[0-9]+$] x [-te_adv_ext_admin_group CHOICES 0 1] [-te_ext_admin_group_len NUMERIC] x [-te_ext_admin_group HEX] x [-te_adv_uni_dir_link_delay CHOICES 0 1] x [-te_uni_dir_link_delay_a_bit CHOICES 0 1] [-te_uni_dir_link_delay NUMERIC] x [-te_adv_min_max_unidir_link_delay CHOICES 0 1] x [-te_min_max_unidir_link_delay_a_bit CHOICES 0 1] [-te_uni_dir_min_link_delay NUMERIC] [-te_uni_dir_max_link_delay NUMERIC] x [-te_adv_unidir_delay_variation CHOICES 0 1] [-te_uni_dir_link_delay_variation NUMERIC] x [-te_adv_unidir_link_loss CHOICES 0 1] x [-te_unidir_link_loss_a_bit CHOICES 0 1] [-te_uni_dir_link_loss NUMERIC] x [-te_adv_unidir_residual_bw CHOICES 0 1] [-te_uni_dir_residual_bw NUMERIC] x [-te_adv_unidir_available_bw CHOICES 0 1] [-te_uni_dir_available_bw NUMERIC] x [-te_adv_unidir_utilized_bw CHOICES 0 1] [-te_uni_dir_utilized_bw NUMERIC] x [-te_mt_applicability_for_ipv6 CHOICES usesamete specifymtid x DEFAULT usesamete] [-te_mt_id NUMERIC] x [-te_adv_app_spec_traffic CHOICES 0 1] x [-te_app_spec_std_app_type ALPHA] x [-te_app_spec_l_flag CHOICES 0 1] x [-te_app_spec_usr_def_app_bm_len RANGE 1-127 x DEFAULT 1] x [-te_app_spec_usr_def_ap_bm HEX] x [-if_mt_id_active CHOICES 0 1] x [-if_mt_id RANGE 0-4095 x DEFAULT 2] x [-link_metric NUMERIC] n [-port_handle ANY] n [-atm_encapsulation ANY] [-count ANY DEFAULT 1] n [-dce_capability_router_id ANY] n [-dce_bcast_root_priority ANY] n [-dce_num_mcast_dst_trees ANY] n [-dce_device_id ANY] n [-dce_device_pri ANY] n [-dce_ftag_enable ANY] n [-dce_ftag ANY] [-gateway_ip_addr IPV4 DEFAULT 0.0.0.0] [-gateway_ip_addr_step IPV4 DEFAULT 0.0.1.0] [-gateway_ipv6_addr IPV6 DEFAULT 0::0] [-gateway_ipv6_addr_step IPV6 DEFAULT 0:0:0:1::0] n [-hello_password ANY] n [-interface_handle ANY] [-intf_ip_addr IPV4 DEFAULT 178.0.0.1] x [-intf_ip_prefix_length RANGE 1-32 x DEFAULT 24] [-intf_ip_addr_step IPV4 DEFAULT 0.0.1.0] [-intf_ipv6_addr IPV6 DEFAULT 4000::1] [-intf_ipv6_prefix_length RANGE 1-128 DEFAULT 64] [-intf_ipv6_addr_step IPV6 DEFAULT 0:0:0:1::0] n [-ip_version ANY] n [-loopback_bfd_registration ANY] n [-loopback_ip_addr ANY] n [-loopback_ip_addr_step ANY] n [-loopback_ip_prefix_length ANY] n [-loopback_ip_addr_count ANY] n [-loopback_metric ANY] n [-loopback_type ANY] n [-loopback_routing_level ANY] n [-loopback_l1_router_priority ANY] n [-loopback_l2_router_priority ANY] n [-loopback_te_metric ANY] n [-loopback_te_admin_group ANY] n [-loopback_te_max_bw ANY] n [-loopback_te_max_resv_bw ANY] n [-loopback_te_unresv_bw_priority0 ANY] n [-loopback_te_unresv_bw_priority1 ANY] n [-loopback_te_unresv_bw_priority2 ANY] n [-loopback_te_unresv_bw_priority3 ANY] n [-loopback_te_unresv_bw_priority4 ANY] n [-loopback_te_unresv_bw_priority5 ANY] n [-loopback_te_unresv_bw_priority6 ANY] n [-loopback_te_unresv_bw_priority7 ANY] n [-loopback_hello_password ANY] [-mac_address_init MAC] x [-mac_address_step MAC x DEFAULT 0000.0000.0001] n [-no_write ANY] x [-reset FLAG] n [-type ANY] x [-vlan CHOICES 0 1] [-vlan_id RANGE 0-4095] [-vlan_id_mode CHOICES fixed increment DEFAULT increment] [-vlan_id_step RANGE 0-4096 DEFAULT 1] [-vlan_user_priority RANGE 0-7 DEFAULT 0] n [-vpi ANY] n [-vci ANY] n [-vpi_step ANY] n [-vci_step ANY] n [-router_id_step ANY] n [-vlan_cfi ANY] x [-return_detailed_handles CHOICES 0 1 x DEFAULT 0] n [-multi_topology ANY] Arguments: -mode -handle ISIS session handle for using the modes delete, modify, enable and disable. When -handle is provided with the /globals value the arguments that configure global protocol setting accept both multivalue handles and simple values. When -handle is provided with a a protocol stack handle or a protocol session handle, the arguments that configure global settings will only accept simple values. In this situation, these arguments will configure only the settings of the parent device group or the ports associated with the parent topology. x -send_p2p_hellos_to_unicast_mac x Send P2P Hellos To Unicast MAC x -rate_control_interval x Rate Control Interval (ms) x -no_of_lsps_or_mgroup_pdus_per_interval x LSPs/MGROUP-PDUs per Interval x -start_rate_scale_mode x Indicates whether the control is specified per port or per device group x -start_rate_enabled x Enabled x -start_rate_interval x Time interval used to calculate the rate for triggering an action (rate = count/interval) x -start_rate x Number of times an action is triggered per time interval x -stop_rate_scale_mode x Indicates whether the control is specified per port or per device group x -stop_rate_enabled x Enabled x -stop_rate_interval x Time interval used to calculate the rate for triggering an action (rate = count/interval) x -stop_rate x Number of times an action is triggered per time interval x -sr_draft_extension x This specifies the segment routing draft extension x -srms_preference_sub_tlv_type x This specifies the type of SRMS Preference sub tlv, suggested value is 23. x -srlb_sub_tlv_type x This specifies the type of Segment Routing Local Block sub tlv, suggested value is 22. x -fa_app_spec_link_attr_sub_tlv_type x App Specific Link Attr Sub-TLV Type x -fa_fad_sub_tlv_type x FAD Sub-TLV Type x -fa_eag_sub_tlv_type x FAEAG Sub-TLV Type x -fa_fai_any_sub_tlv_type x FAIAnyAG Sub-TLV Type x -fa_fai_all_sub_tlv_type x FAIAllAG Sub-TLV Type x -fa_fadf_sub_tlv_type x FADF Sub-TLV Type x -if_active x Flag. -discard_lsp If 1, discards all LSPs coming from the neighbor which helps scalability. -system_id A system ID is typically 6-octet long. x -system_id_step x If -count > 1, this value is used to increment the system_id. -te_enable If true (1), enable traffic engineering extension. If this field is set to true (1) then wide_metrics field gets set to true (1) irrespective of the ip_version value. This behavior is for IxTclProtocol and IxTclNetwork -te_router_id The ID of the TE router, usually the lowest IP address on the router. x -te_router_id_step x The increment used for -te_router_id option. x -enable_ipv6_te x This enables the Traffic Engineering Profiles Isis IPv6 x -ipv6_te_router_id x The ID of the IPv6 TE router, usually the lowest IP address on the router. x -enable_host_name x -host_name x Host Name -wide_metrics If true (1), enable wide style metrics. If te_enable is true then wide_metrics also gets set to true (1) irrespective of the ip_version value and cannot be modified to false. This is the behavior in IxTclProtocol and IxTclNetwork. (DEFAULT 0) x -protocol_name x Protocol name x -active x Flag. -intf_metric The cost metric associated with the route.Valid range is 0-16777215. x -enable_configured_hold_time x Enable Configured Hold Time x -configured_hold_time x Configured Hold Time x -ipv6_mt_metric x IPv6 MT Metric x -intf_type x Indicates the type of network attached to the interface: broadcast or x ptop. x -enable3_way_handshake x Enable 3-way Handshake x -extended_local_circuit_id x Extended Local Circuit Id n -level_type n This argument defined by Cisco is not supported for NGPF implementation. x -routing_level x Selects the supported routing level.
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_isis_config.py_part4
n [-loopback_te_unresv_bw_priority3 ANY] n [-loopback_te_unresv_bw_priority4 ANY] n [-loopback_te_unresv_bw_priority5 ANY] n [-loopback_te_unresv_bw_priority6 ANY] n [-loopback_te_unresv_bw_priority7 ANY] n [-loopback_hello_password ANY] [-mac_address_init MAC] x [-mac_address_step MAC x DEFAULT 0000.0000.0001] n [-no_write ANY] x [-reset FLAG] n [-type ANY] x [-vlan CHOICES 0 1] [-vlan_id RANGE 0-4095] [-vlan_id_mode CHOICES fixed increment DEFAULT increment] [-vlan_id_step RANGE 0-4096 DEFAULT 1] [-vlan_user_priority RANGE 0-7 DEFAULT 0] n [-vpi ANY] n [-vci ANY] n [-vpi_step ANY] n [-vci_step ANY] n [-router_id_step ANY] n [-vlan_cfi ANY] x [-return_detailed_handles CHOICES 0 1 x DEFAULT 0] n [-multi_topology ANY] Arguments: -mode -handle ISIS session handle for using the modes delete, modify, enable and disable. When -handle is provided with the /globals value the arguments that configure global protocol setting accept both multivalue handles and simple values. When -handle is provided with a a protocol stack handle or a protocol session handle, the arguments that configure global settings will only accept simple values. In this situation, these arguments will configure only the settings of the parent device group or the ports associated with the parent topology. x -send_p2p_hellos_to_unicast_mac x Send P2P Hellos To Unicast MAC x -rate_control_interval x Rate Control Interval (ms) x -no_of_lsps_or_mgroup_pdus_per_interval x LSPs/MGROUP-PDUs per Interval x -start_rate_scale_mode x Indicates whether the control is specified per port or per device group x -start_rate_enabled x Enabled x -start_rate_interval x Time interval used to calculate the rate for triggering an action (rate = count/interval) x -start_rate x Number of times an action is triggered per time interval x -stop_rate_scale_mode x Indicates whether the control is specified per port or per device group x -stop_rate_enabled x Enabled x -stop_rate_interval x Time interval used to calculate the rate for triggering an action (rate = count/interval) x -stop_rate x Number of times an action is triggered per time interval x -sr_draft_extension x This specifies the segment routing draft extension x -srms_preference_sub_tlv_type x This specifies the type of SRMS Preference sub tlv, suggested value is 23. x -srlb_sub_tlv_type x This specifies the type of Segment Routing Local Block sub tlv, suggested value is 22. x -fa_app_spec_link_attr_sub_tlv_type x App Specific Link Attr Sub-TLV Type x -fa_fad_sub_tlv_type x FAD Sub-TLV Type x -fa_eag_sub_tlv_type x FAEAG Sub-TLV Type x -fa_fai_any_sub_tlv_type x FAIAnyAG Sub-TLV Type x -fa_fai_all_sub_tlv_type x FAIAllAG Sub-TLV Type x -fa_fadf_sub_tlv_type x FADF Sub-TLV Type x -if_active x Flag. -discard_lsp If 1, discards all LSPs coming from the neighbor which helps scalability. -system_id A system ID is typically 6-octet long. x -system_id_step x If -count > 1, this value is used to increment the system_id. -te_enable If true (1), enable traffic engineering extension. If this field is set to true (1) then wide_metrics field gets set to true (1) irrespective of the ip_version value. This behavior is for IxTclProtocol and IxTclNetwork -te_router_id The ID of the TE router, usually the lowest IP address on the router. x -te_router_id_step x The increment used for -te_router_id option. x -enable_ipv6_te x This enables the Traffic Engineering Profiles Isis IPv6 x -ipv6_te_router_id x The ID of the IPv6 TE router, usually the lowest IP address on the router. x -enable_host_name x -host_name x Host Name -wide_metrics If true (1), enable wide style metrics. If te_enable is true then wide_metrics also gets set to true (1) irrespective of the ip_version value and cannot be modified to false. This is the behavior in IxTclProtocol and IxTclNetwork. (DEFAULT 0) x -protocol_name x Protocol name x -active x Flag. -intf_metric The cost metric associated with the route.Valid range is 0-16777215. x -enable_configured_hold_time x Enable Configured Hold Time x -configured_hold_time x Configured Hold Time x -ipv6_mt_metric x IPv6 MT Metric x -intf_type x Indicates the type of network attached to the interface: broadcast or x ptop. x -enable3_way_handshake x Enable 3-way Handshake x -extended_local_circuit_id x Extended Local Circuit Id n -level_type n This argument defined by Cisco is not supported for NGPF implementation. x -routing_level x Selects the supported routing level. -l1_router_priority The session routers priority number for L1 DR role. -l2_router_priority The session routers priority number for L2 DR role. -hello_interval The frequency of transmitting L1/L2 Hello PDUs. x -hello_interval_level1 x The frequency of transmitting L1 Hello PDUs. x -level1_dead_interval x Level 1 Dead Interval (sec) x -hello_interval_level2 x The frequency of transmitting L2 Hello PDUs. x -level2_dead_interval x Level 2 Dead Interval (sec) x -bfd_registration x Enable or disable BFD registration. x -suppress_hello x Hello suppression x -enable_mt_ipv6 x If true (1), it enables multi-topology (MT) support. If ip_version x is set to 4_6, this field (if not provided by user) gets enabled x (set to true (1)) by default. x (DEFAULT 0) x -enable_mt x Enable MT x -no_of_mtids x Number of Multi Topologies x -hello_padding x Enable Hello Padding x -max_area_addresses x Maximum Area Addresses -area_id The area address to be used for the ISIS router. A valid value for this parameter is represented by a list of octets written in hexadecimal. Example: "3F 22 11", "23", "44 55 FA" x -area_id_step x The step value used for incrementing the -area_id option.A valid value for this parameter x is represented by a list of octets written in hexadecimal. x Example: "3F 22 11", "23", "44 55 FA" -graceful_restart If true (1), enable Graceful Restart (NSF) feature on the session router. -graceful_restart_mode x -graceful_restart_version x Specify which draft to use: draft3 draft4. -graceful_restart_restart_time Theamount of time that the router will wait for restart completion. -attach_bit For L2 only.If 1, indicates that the AttachedFlag is set. This indicates that this ISIS router can use L2 routing to reach other areas. -partition_repair If 1, enables the optional partition repair option specified in ISO/IEC 10589 and RFC 1195 for Level 1 areas. -overloaded If 1, the LSP database overload bit is set, indicating that the LSP database on this router does not have enough memory to store a received LSP. n -override_existence_check n This argument defined by Cisco is not supported for NGPF implementation. n -override_tracking n This argument defined by Cisco is not supported for NGPF implementation. -lsp_refresh_interval The rate at which LSPs are resent.Unit is in seconds. -lsp_life_time The maximum age in seconds for retaining a learned LSP. x -psnp_interval x PSNP Interval (ms) x -csnp_interval x CSNP Interval (ms) -max_packet_size The maximum IS-IS packet size that will be transmitted.Hello packets are also padded to the size.Valid range is 576-32832. x -pdu_min_tx_interval x LSP/MGROUP-PDU Min Transmission Interval (ms) x -auto_adjust_mtu x Auto Adjust MTU x -auto_adjust_area x Auto Adjust Area x -auto_adjust_supported_protocols x Auto Adjust Supported Protocols x -ignore_receive_md5 x Ignore Receive MD5 -area_authentication_mode Specifies the area authentication mode.Choices are null, text and md5. -area_password The password used in simple text authentication mode.This is used by L1 routing. -domain_authentication_mode Specifies the domain authentication mode.Choices are null, text and md5. -domain_password The password used in simple text authentication mode.This is used by L2 routing. x -auth_type x Authentication Type -circuit_tranmit_password_md5_key area/domain password. x -pdu_per_burst x Max LSPs/MGROUP-PDUs Per Burst x -pdu_burst_gap x Inter LSPs/MGROUP-PDUs Burst Gap (ms) x -enable_sr x Enables SR to run on top of ISIS -router_id Router capability identifier x -node_prefix x Used to uniquely identify the ISIS-L3 SR router x -mask x Mask for the node prefix x -d_bit x When the ISIS router capability TLV is leaked from level-2 to level-1, the D bit must be set, otherwise this bit must be clear x -s_bit x If the S bit is set 1, the ISIS router capability TLV must be flooded across the entire routing domain, otherwise the TLV must not be leaked between levels x -redistribution x It can have any of the two choices- UP or DOWN x -r_flag x Readvertisement flag x -n_flag x Node SID flag x -p_flag x PHP (penultimate hop popping) flag x -e_flag x If the E-flag is set then any upstream neighbor of the Prefix- SID originator MUST replace the PrefixSID with a Prefix-SID having an Explicit-NULL value x -v_flag x Value flag x -l_flag x L flag of ISIS-L3 router x -ipv4_flag x If set, then the router is capable of outgoing IPv4 encapsulation on all interfaces x -ipv6_flag x If set, then the router is capable of outgoing IPv6 encapsulation on all interfaces x -configure_algorithm x If enabled, algorithm value will be used from here. Else algorithm is taken as the lowest algorithm from the SR-Capability-List. x -algorithm_srmpls
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_isis_config.py_part5
x Selects the supported routing level. -l1_router_priority The session routers priority number for L1 DR role. -l2_router_priority The session routers priority number for L2 DR role. -hello_interval The frequency of transmitting L1/L2 Hello PDUs. x -hello_interval_level1 x The frequency of transmitting L1 Hello PDUs. x -level1_dead_interval x Level 1 Dead Interval (sec) x -hello_interval_level2 x The frequency of transmitting L2 Hello PDUs. x -level2_dead_interval x Level 2 Dead Interval (sec) x -bfd_registration x Enable or disable BFD registration. x -suppress_hello x Hello suppression x -enable_mt_ipv6 x If true (1), it enables multi-topology (MT) support. If ip_version x is set to 4_6, this field (if not provided by user) gets enabled x (set to true (1)) by default. x (DEFAULT 0) x -enable_mt x Enable MT x -no_of_mtids x Number of Multi Topologies x -hello_padding x Enable Hello Padding x -max_area_addresses x Maximum Area Addresses -area_id The area address to be used for the ISIS router. A valid value for this parameter is represented by a list of octets written in hexadecimal. Example: "3F 22 11", "23", "44 55 FA" x -area_id_step x The step value used for incrementing the -area_id option.A valid value for this parameter x is represented by a list of octets written in hexadecimal. x Example: "3F 22 11", "23", "44 55 FA" -graceful_restart If true (1), enable Graceful Restart (NSF) feature on the session router. -graceful_restart_mode x -graceful_restart_version x Specify which draft to use: draft3 draft4. -graceful_restart_restart_time Theamount of time that the router will wait for restart completion. -attach_bit For L2 only.If 1, indicates that the AttachedFlag is set. This indicates that this ISIS router can use L2 routing to reach other areas. -partition_repair If 1, enables the optional partition repair option specified in ISO/IEC 10589 and RFC 1195 for Level 1 areas. -overloaded If 1, the LSP database overload bit is set, indicating that the LSP database on this router does not have enough memory to store a received LSP. n -override_existence_check n This argument defined by Cisco is not supported for NGPF implementation. n -override_tracking n This argument defined by Cisco is not supported for NGPF implementation. -lsp_refresh_interval The rate at which LSPs are resent.Unit is in seconds. -lsp_life_time The maximum age in seconds for retaining a learned LSP. x -psnp_interval x PSNP Interval (ms) x -csnp_interval x CSNP Interval (ms) -max_packet_size The maximum IS-IS packet size that will be transmitted.Hello packets are also padded to the size.Valid range is 576-32832. x -pdu_min_tx_interval x LSP/MGROUP-PDU Min Transmission Interval (ms) x -auto_adjust_mtu x Auto Adjust MTU x -auto_adjust_area x Auto Adjust Area x -auto_adjust_supported_protocols x Auto Adjust Supported Protocols x -ignore_receive_md5 x Ignore Receive MD5 -area_authentication_mode Specifies the area authentication mode.Choices are null, text and md5. -area_password The password used in simple text authentication mode.This is used by L1 routing. -domain_authentication_mode Specifies the domain authentication mode.Choices are null, text and md5. -domain_password The password used in simple text authentication mode.This is used by L2 routing. x -auth_type x Authentication Type -circuit_tranmit_password_md5_key area/domain password. x -pdu_per_burst x Max LSPs/MGROUP-PDUs Per Burst x -pdu_burst_gap x Inter LSPs/MGROUP-PDUs Burst Gap (ms) x -enable_sr x Enables SR to run on top of ISIS -router_id Router capability identifier x -node_prefix x Used to uniquely identify the ISIS-L3 SR router x -mask x Mask for the node prefix x -d_bit x When the ISIS router capability TLV is leaked from level-2 to level-1, the D bit must be set, otherwise this bit must be clear x -s_bit x If the S bit is set 1, the ISIS router capability TLV must be flooded across the entire routing domain, otherwise the TLV must not be leaked between levels x -redistribution x It can have any of the two choices- UP or DOWN x -r_flag x Readvertisement flag x -n_flag x Node SID flag x -p_flag x PHP (penultimate hop popping) flag x -e_flag x If the E-flag is set then any upstream neighbor of the Prefix- SID originator MUST replace the PrefixSID with a Prefix-SID having an Explicit-NULL value x -v_flag x Value flag x -l_flag x L flag of ISIS-L3 router x -ipv4_flag x If set, then the router is capable of outgoing IPv4 encapsulation on all interfaces x -ipv6_flag x If set, then the router is capable of outgoing IPv6 encapsulation on all interfaces x -configure_algorithm x If enabled, algorithm value will be used from here. Else algorithm is taken as the lowest algorithm from the SR-Capability-List. x -algorithm_srmpls x Algorithm in SR-MPLS. x -configure_sid_index_label x If enabled, then the nodal SID will not be taken from the SRGB range, rather it will be the value of SID index label x -sid_index_label x This is the value which will be used to set the nodal SID of the ISIS-L3 SR enabled router if configure sid index label option has been enabled x -algorithm x This specifies the algorithm e.g. SPF x -srgb_range_count x How many ranges the user wants to create in the SRGB range. Max is 5 x -start_sid_label x Start SID in one SRGB range. x -sid_count x Total count of SIDs in that SRGB range x -interface_enable_adj_sid x Enables adjacent SID for SR enabled ISIS-L3 interface x -interface_adj_sid x Adjacent SID for SR enabled ISIS-L3 interface x -interface_override_f_flag x Override F flag option for SR enabled ISIS-L3 interface x -interface_f_flag x F flag for SR enabled ISIS-L3 interface x -interface_b_flag x B flag for SR enabled ISIS-L3 interface x -interface_v_flag x Value flag for SR enabled ISIS-L3 interface x -interface_l_flag x L flag for SR enabled ISIS-L3 interface x -interface_s_flag x S flag for SR enabled ISIS-L3 interface x -interface_p_flag x P flag for SR enabled ISIS-L3 interface x -interface_weight x Weight value of the adjacent link for SR enabled ISIS-L3 interface x -interface_enable_ipv6_sid x Enable Ipv6 SID in ISIS-L3 interface x -interface_advertise_link_msd x If Set, then advertise Link MSD x -interface_include_max_sl_msd x If set, then Include Maximum Segment Left MSD in SRv6 capability. x -interface_max_sl_msd x This field specifies the maximum value of the Segments Left (SL) MSD field in the SRH of a received packet x before applying the function associated with a SID. x -interface_include_max_end_pop_msd x If set, then include Max-End-Pop-MSD n SRv6 capability. x -interface_max_end_pop_msd x This field specifies the maximum number of SIDs in the top MSD in an MSD stack that the x router can apply PSP or USP flavors to. If the value of this field is zero, then the router cannot x apply PSP or USP flavors. x -interface_include_max_tinsert_msd x If set, then include Maximum T.Insert MSDin SRv6 capability. x -interface_max_tinsert_msd x his field specifies the maximum number of SIDs that can be x inserted as part of the T.insert behavior. If the value of x this field is zero, then the router cannot apply any variation of x the T.insert behavior. x -interface_include_max_tencap_msd x If set, then include Maximum T.Encap MSD in SRv6 capability. x -interface_max_tencap_msd x This field specifies the maximum number of SIDs that can be included as part of the T.Encap behavior. x If this field is zero and the E flag is set, then the router can apply T.Encap by encapsulating the x incoming packet in another IPv6 header without SRH, it is the same way IPinIP encapsulation is performed. x If the "E" flag is clear, then this field SHOULD be transmitted as zero and MUST be ignored on receipt. x -interface_include_max_endd_msd x If set, then include Maximum End D MSD in SRv6 capability. x -interface_max_endd_msd x This field specifies the maximum number of SIDs in an SRH when applying End.DX6 and End.DT6 functions. x If this field is zero, then the router cannot apply End.DX6 or End.DT6 functions. If the extension header x is right underneath the outer IPv6, header is an SRH. x -sr_tunnel_active x Active/Inactive SR Tunnel x -number_of_sr_tunnels x Number of ISIS SR Tunnels x -sr_tunnel_description x ISIS SR Tunnel Description x -using_head_end_node_prefix x ISIS SR Tunnel Using head end Node prefix x -source_ipv4 x ISIS SR Tunnel Source IPv4 x -source_ipv6 x ISIS SR Tunnel Source IPv4 x -number_of_segments x ISIS SR Tunnel - Number of Segments x -enable_segment x ISIS SR Tunnel - Enable each segment x -segment_type x ISIS SR Tunnel Segment type x -node_system_id x ISIS SR Tunnel Node System ID x -neighbour_node_system_id x 1 x ISIS SR Tunnel Neighbour Node System ID x -ipv6_srh_flag_emulated_router x Router will advertise and process IPv6 SR related TLVs. x -rtrcap_id_for_srv6 x Router Capability Id x -d_bit_for_srv6_cap x When the IS-IS Router CAPABILITY TLV is leaked from level-2 to level-1, the D bit MUST be set, else it should be clear. x -s_bit_for_srv6_cap x Enabling S bit lets the IS-IS Router CAPABILITY TLV to get flooded across the entire routing domain, otherwise the TLV not be leaked between levels. x -o_flag_of_srv6_cap x If set, it indicates that this packet is an operations and management (OAM) packet. x -reserved_inside_srv6_cap_flag x This is the reserved field (as part of Flags field of SRv6 Capability TLV). x -srv6_node_prefix x This is an IPv6 Node prefix for the SRv6 router. x -srv6_node_prefix_length x This is the prefix length of the SRv6 node prefix. x -advertise_node_msd
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_isis_config.py_part6
x Algorithm in SR-MPLS. x -configure_sid_index_label x If enabled, then the nodal SID will not be taken from the SRGB range, rather it will be the value of SID index label x -sid_index_label x This is the value which will be used to set the nodal SID of the ISIS-L3 SR enabled router if configure sid index label option has been enabled x -algorithm x This specifies the algorithm e.g. SPF x -srgb_range_count x How many ranges the user wants to create in the SRGB range. Max is 5 x -start_sid_label x Start SID in one SRGB range. x -sid_count x Total count of SIDs in that SRGB range x -interface_enable_adj_sid x Enables adjacent SID for SR enabled ISIS-L3 interface x -interface_adj_sid x Adjacent SID for SR enabled ISIS-L3 interface x -interface_override_f_flag x Override F flag option for SR enabled ISIS-L3 interface x -interface_f_flag x F flag for SR enabled ISIS-L3 interface x -interface_b_flag x B flag for SR enabled ISIS-L3 interface x -interface_v_flag x Value flag for SR enabled ISIS-L3 interface x -interface_l_flag x L flag for SR enabled ISIS-L3 interface x -interface_s_flag x S flag for SR enabled ISIS-L3 interface x -interface_p_flag x P flag for SR enabled ISIS-L3 interface x -interface_weight x Weight value of the adjacent link for SR enabled ISIS-L3 interface x -interface_enable_ipv6_sid x Enable Ipv6 SID in ISIS-L3 interface x -interface_advertise_link_msd x If Set, then advertise Link MSD x -interface_include_max_sl_msd x If set, then Include Maximum Segment Left MSD in SRv6 capability. x -interface_max_sl_msd x This field specifies the maximum value of the Segments Left (SL) MSD field in the SRH of a received packet x before applying the function associated with a SID. x -interface_include_max_end_pop_msd x If set, then include Max-End-Pop-MSD n SRv6 capability. x -interface_max_end_pop_msd x This field specifies the maximum number of SIDs in the top MSD in an MSD stack that the x router can apply PSP or USP flavors to. If the value of this field is zero, then the router cannot x apply PSP or USP flavors. x -interface_include_max_tinsert_msd x If set, then include Maximum T.Insert MSDin SRv6 capability. x -interface_max_tinsert_msd x his field specifies the maximum number of SIDs that can be x inserted as part of the T.insert behavior. If the value of x this field is zero, then the router cannot apply any variation of x the T.insert behavior. x -interface_include_max_tencap_msd x If set, then include Maximum T.Encap MSD in SRv6 capability. x -interface_max_tencap_msd x This field specifies the maximum number of SIDs that can be included as part of the T.Encap behavior. x If this field is zero and the E flag is set, then the router can apply T.Encap by encapsulating the x incoming packet in another IPv6 header without SRH, it is the same way IPinIP encapsulation is performed. x If the "E" flag is clear, then this field SHOULD be transmitted as zero and MUST be ignored on receipt. x -interface_include_max_endd_msd x If set, then include Maximum End D MSD in SRv6 capability. x -interface_max_endd_msd x This field specifies the maximum number of SIDs in an SRH when applying End.DX6 and End.DT6 functions. x If this field is zero, then the router cannot apply End.DX6 or End.DT6 functions. If the extension header x is right underneath the outer IPv6, header is an SRH. x -sr_tunnel_active x Active/Inactive SR Tunnel x -number_of_sr_tunnels x Number of ISIS SR Tunnels x -sr_tunnel_description x ISIS SR Tunnel Description x -using_head_end_node_prefix x ISIS SR Tunnel Using head end Node prefix x -source_ipv4 x ISIS SR Tunnel Source IPv4 x -source_ipv6 x ISIS SR Tunnel Source IPv4 x -number_of_segments x ISIS SR Tunnel - Number of Segments x -enable_segment x ISIS SR Tunnel - Enable each segment x -segment_type x ISIS SR Tunnel Segment type x -node_system_id x ISIS SR Tunnel Node System ID x -neighbour_node_system_id x 1 x ISIS SR Tunnel Neighbour Node System ID x -ipv6_srh_flag_emulated_router x Router will advertise and process IPv6 SR related TLVs. x -rtrcap_id_for_srv6 x Router Capability Id x -d_bit_for_srv6_cap x When the IS-IS Router CAPABILITY TLV is leaked from level-2 to level-1, the D bit MUST be set, else it should be clear. x -s_bit_for_srv6_cap x Enabling S bit lets the IS-IS Router CAPABILITY TLV to get flooded across the entire routing domain, otherwise the TLV not be leaked between levels. x -o_flag_of_srv6_cap x If set, it indicates that this packet is an operations and management (OAM) packet. x -reserved_inside_srv6_cap_flag x This is the reserved field (as part of Flags field of SRv6 Capability TLV). x -srv6_node_prefix x This is an IPv6 Node prefix for the SRv6 router. x -srv6_node_prefix_length x This is the prefix length of the SRv6 node prefix. x -advertise_node_msd x Advertise Node MSD. x -include_max_sl_msd x If set, then Include Maximum Segment Left MSD in SRv6 capability. x -max_sl_msd x This field specifies the maximum value of the Segments Left (SL) MSD field in the SRH of a received packet x before applying the function associated with a SID. x -include_max_end_pop_msd x If set, then include Max-End-Pop-MSD n SRv6 capability. x -max_end_pop_msd x This field specifies the maximum number of SIDs in the top MSD in an MSD stack that the x router can apply PSP or USP flavors to. If the value of this field is zero, then the router cannot x apply PSP or USP flavors. x -include_max_tinsert_msd x If set, then include Maximum T.Insert MSDin SRv6 capability. x -max_tinsert_msd x his field specifies the maximum number of SIDs that can be x inserted as part of the T.insert behavior. If the value of x this field is zero, then the router cannot apply any variation of x the T.insert behavior. x -include_max_tencap_msd x If set, then include Maximum T.Encap MSD in SRv6 capability. x -max_tencap_msd x This field specifies the maximum number of SIDs that can be included as part of the T.Encap behavior. x If this field is zero and the E flag is set, then the router can apply T.Encap by encapsulating the x incoming packet in another IPv6 header without SRH, it is the same way IPinIP encapsulation is performed. x If the "E" flag is clear, then this field SHOULD be transmitted as zero and MUST be ignored on receipt. x -include_max_endd_msd x If set, then include Maximum End D MSD in SRv6 capability. x -max_endd_msd x This field specifies the maximum number of SIDs in an SRH when applying End.DX6 and End.DT6 functions. x If this field is zero, then the router cannot apply End.DX6 or End.DT6 functions. If the extension header x is right underneath the outer IPv6, header is an SRH. x -interface_enable_app_spec_srlg x Enables Application Specific SRLG on the ISIS link between two mentioned interfaces x -no_of_app_spec_srlg x Number of Application Specific SRLG. x -app_spec_srlg_l_flag x If set to False, all link attributes will be advertised as sub-sub-tlv of sub tlv "Application Specific Link Attributes sub-TLV (Type 16) of TLV 22,23,141,222 and 223 x If true, then all link attributes will be advertised as sub-TLV of TLV 22,23,141,222 and 223. x -app_spec_srlg_std_app_type x Standard Application Type for Application Specific SRLG x -app_spec_srlg_usr_def_app_bm_len x User Defined Application BM Length for Application Specific SRLG x -app_spec_srlg_usr_def_ap_bm x User Defined Application BM x -app_spec_srlg_ipv4_interface_Addr x IPv4 Interface Address x -app_spec_srlg_ipv4_neighbor_Addr x IPv4 Neighbor Address x -app_spec_srlg_ipv6_interface_Addr x IPv6 Interface Address x -app_spec_srlg_ipv6_neighbor_Addr x IPv6 Neighbor Address x -interface_enable_srlg x Enables SRLG on the ISIS link between two mentioned interfaces x -srlg_value x This is the SRLG Value for the link between two mentioned interfaces. x -srlg_count x This field value shows how many SRLG Value columns would be there in the GUI. x -flex_algo_count x Flex Algorithm Count x -flex_algo x Flex Algorithm x -fa_metric_type x Metric Type: 0-IGP Metric, 1:Min. Unidirectional link Delay, 2:TE Default Metric x -fa_calc_type x Metric Type: 0-IGP Metric, 1:Min. Unidirectional link Delay, 2:TE Default Metric x -fa_priority x Priority x -fa_enable_exclude_ag x If this is enabled, Flexible Algorithm Exclude Admin Group Sub-Sub TLV will be advertised with FAD sub-TLV. x -fa_exclude_ag_ext_ag_len x Exculde AG- Ext Ag length x -fa_exclude_ag_ext_ag x Exculde AG- Ext Admin Group x -fa_enable_include_any_ag x If this is enabled, Flexible Algorithm Include-Any Admin Group Sub-Sub TLV will be advertised with FAD sub-TLV x -fa_include_any_ag_ext_ag_len x Include Any AG- Ext Ag length x -fa_include_any_ag_ext_ag x Include AG- Ext Admin Group x -fa_enable_include_all_ag x If this is enabled, Flexible Algorithm Include-All Admin Group Sub-Sub TLV will be advertised with FAD sub-TLV x -fa_include_all_ag_ext_ag_len x Include All AG- Ext Ag length x -fa_include_all_ag_ext_ag x Include AG- Ext Admin Group x -fa_enable_fadf_tlv x If enabled then following attributes will get enabled and ISIS Flexible Algorithm Definition Flags Sub-TLV or x FADF sub-sub-TLV will be advertised with FAD Sub-TLV x -fa_fadf_len x FADF Length x -fa_fadf_m_flag x M-Flag x -fa_fsdf_rsrvd x Reserved x -fa_dont_adv_in_sr_algo x Don't Adv. in SR Algorithm x -fa_adv_twice_excl_ag x Advertise Twice Exclude AG x -fa_adv_twice_incl_any_ag
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_isis_config.py_part7
x Advertise Node MSD. x -include_max_sl_msd x If set, then Include Maximum Segment Left MSD in SRv6 capability. x -max_sl_msd x This field specifies the maximum value of the Segments Left (SL) MSD field in the SRH of a received packet x before applying the function associated with a SID. x -include_max_end_pop_msd x If set, then include Max-End-Pop-MSD n SRv6 capability. x -max_end_pop_msd x This field specifies the maximum number of SIDs in the top MSD in an MSD stack that the x router can apply PSP or USP flavors to. If the value of this field is zero, then the router cannot x apply PSP or USP flavors. x -include_max_tinsert_msd x If set, then include Maximum T.Insert MSDin SRv6 capability. x -max_tinsert_msd x his field specifies the maximum number of SIDs that can be x inserted as part of the T.insert behavior. If the value of x this field is zero, then the router cannot apply any variation of x the T.insert behavior. x -include_max_tencap_msd x If set, then include Maximum T.Encap MSD in SRv6 capability. x -max_tencap_msd x This field specifies the maximum number of SIDs that can be included as part of the T.Encap behavior. x If this field is zero and the E flag is set, then the router can apply T.Encap by encapsulating the x incoming packet in another IPv6 header without SRH, it is the same way IPinIP encapsulation is performed. x If the "E" flag is clear, then this field SHOULD be transmitted as zero and MUST be ignored on receipt. x -include_max_endd_msd x If set, then include Maximum End D MSD in SRv6 capability. x -max_endd_msd x This field specifies the maximum number of SIDs in an SRH when applying End.DX6 and End.DT6 functions. x If this field is zero, then the router cannot apply End.DX6 or End.DT6 functions. If the extension header x is right underneath the outer IPv6, header is an SRH. x -interface_enable_app_spec_srlg x Enables Application Specific SRLG on the ISIS link between two mentioned interfaces x -no_of_app_spec_srlg x Number of Application Specific SRLG. x -app_spec_srlg_l_flag x If set to False, all link attributes will be advertised as sub-sub-tlv of sub tlv "Application Specific Link Attributes sub-TLV (Type 16) of TLV 22,23,141,222 and 223 x If true, then all link attributes will be advertised as sub-TLV of TLV 22,23,141,222 and 223. x -app_spec_srlg_std_app_type x Standard Application Type for Application Specific SRLG x -app_spec_srlg_usr_def_app_bm_len x User Defined Application BM Length for Application Specific SRLG x -app_spec_srlg_usr_def_ap_bm x User Defined Application BM x -app_spec_srlg_ipv4_interface_Addr x IPv4 Interface Address x -app_spec_srlg_ipv4_neighbor_Addr x IPv4 Neighbor Address x -app_spec_srlg_ipv6_interface_Addr x IPv6 Interface Address x -app_spec_srlg_ipv6_neighbor_Addr x IPv6 Neighbor Address x -interface_enable_srlg x Enables SRLG on the ISIS link between two mentioned interfaces x -srlg_value x This is the SRLG Value for the link between two mentioned interfaces. x -srlg_count x This field value shows how many SRLG Value columns would be there in the GUI. x -flex_algo_count x Flex Algorithm Count x -flex_algo x Flex Algorithm x -fa_metric_type x Metric Type: 0-IGP Metric, 1:Min. Unidirectional link Delay, 2:TE Default Metric x -fa_calc_type x Metric Type: 0-IGP Metric, 1:Min. Unidirectional link Delay, 2:TE Default Metric x -fa_priority x Priority x -fa_enable_exclude_ag x If this is enabled, Flexible Algorithm Exclude Admin Group Sub-Sub TLV will be advertised with FAD sub-TLV. x -fa_exclude_ag_ext_ag_len x Exculde AG- Ext Ag length x -fa_exclude_ag_ext_ag x Exculde AG- Ext Admin Group x -fa_enable_include_any_ag x If this is enabled, Flexible Algorithm Include-Any Admin Group Sub-Sub TLV will be advertised with FAD sub-TLV x -fa_include_any_ag_ext_ag_len x Include Any AG- Ext Ag length x -fa_include_any_ag_ext_ag x Include AG- Ext Admin Group x -fa_enable_include_all_ag x If this is enabled, Flexible Algorithm Include-All Admin Group Sub-Sub TLV will be advertised with FAD sub-TLV x -fa_include_all_ag_ext_ag_len x Include All AG- Ext Ag length x -fa_include_all_ag_ext_ag x Include AG- Ext Admin Group x -fa_enable_fadf_tlv x If enabled then following attributes will get enabled and ISIS Flexible Algorithm Definition Flags Sub-TLV or x FADF sub-sub-TLV will be advertised with FAD Sub-TLV x -fa_fadf_len x FADF Length x -fa_fadf_m_flag x M-Flag x -fa_fsdf_rsrvd x Reserved x -fa_dont_adv_in_sr_algo x Don't Adv. in SR Algorithm x -fa_adv_twice_excl_ag x Advertise Twice Exclude AG x -fa_adv_twice_incl_any_ag x Advertise Twice Include-Any AG x -fa_adv_twice_incl_all_ag x Advertise Twice Include-All AG x -s_r_algorithm_count x SR Algorithm Count x -isis_sr_algorithm x SR Algorithm x -advertise_srlb x Enables advertisement of Segment Routing Local Block (SRLB) x -srlb_flags x This specifies the value of the SRLB flags field x -srlb_descriptor_count x Count of the SRLB descriptor entries x -srlbDescriptor_startSidLabel x Start SID/Label x -srlbDescriptor_sidCount x SID Count x -enable_link_protection x This enables the link protection on the ISIS link between two mentioned interfaces. x -extra_traffic x This is a Protection Scheme with value 0x01. It means that the link is protecting another link or links.The LSPs on a link of this type will be lost if any of the links it is protecting fail. x -unprotected x This is a Protection Scheme with value 0x02. It means that there is no other link protecting this link.The LSPs on a link of this type will be lost if the link fails. x -shared x This is a Protection Scheme with value 0x04. It means that there are one or more disjoint links of type Extra Traffic that are protecting this link.These Extra Traffic links are shared between one or more links of type Shared. x -dedicated_one_to_one x This is a Protection Scheme with value 0x08. It means that there is one dedicated disjoint link of type Extra Traffic that is protecting this link. x -dedicated_one_plus_one x This is a Protection Scheme with value 0x10. It means that a dedicated disjoint link is protecting this link.However, the protecting link is not advertised in the link state database and is therefore not available for the routing of LSPs. x -enhanced x This is a Protection Scheme with value 0x20. It means that a protection scheme that is more reliable than Dedicated 1+1, e.g., 4 fiber BLSR/MS-SPRING, is being used to protect this link. x -reserved0x40 x This is a Protection Scheme with value 0x40. x -reserved0x80 x This is a Protection Scheme with value 0x80. x -no_of_te_profiles x Number of ISIS Traffic Engineering Profiles x -traffic_engineering_name x Name of Isis Traffic Engineering Profile -te_admin_group Administrator Group -te_metric TE Metric Level -te_max_bw The maximum bandwidth to be advertised. -te_max_resv_bw The maximum reservable bandwidth to be advertised. -te_unresv_bw_priority0 The unreserved bandwidth for priority 0 to be advertised. -te_unresv_bw_priority1 The unreserved bandwidth for priority 1 to be advertised. -te_unresv_bw_priority2 The unreserved bandwidth for priority 2 to be advertised. -te_unresv_bw_priority3 The unreserved bandwidth for priority 3 to be advertised. -te_unresv_bw_priority4 The unreserved bandwidth for priority 4 to be advertised. -te_unresv_bw_priority5 The unreserved bandwidth for priority 5 to be advertised. -te_unresv_bw_priority6 The unreserved bandwidth for priority 6 to be advertised. -te_unresv_bw_priority7 The unreserved bandwidth for priority 7 to be advertised. x -te_adv_ext_admin_group x Advertise Ext Admin Group -te_ext_admin_group_len Ext Admin Group Length x -te_ext_admin_group x Ext Admin Group x -te_adv_uni_dir_link_delay x Advertise Uni-Directional Link Delay x -te_uni_dir_link_delay_a_bit x Uni-Directional Link Delay A-Bit -te_uni_dir_link_delay Uni-Directional Link Delay (us) x -te_adv_min_max_unidir_link_delay x Advertise Min/Max Uni-Directional Link Delay x -te_min_max_unidir_link_delay_a_bit x Min/Max Uni-Directional Link Delay A-Bit -te_uni_dir_min_link_delay Uni-Directional Min Link Delay (us) -te_uni_dir_max_link_delay Uni-Directional Max Link Delay (us) x -te_adv_unidir_delay_variation x Advertise Uni-Directional Delay Variation -te_uni_dir_link_delay_variation Delay Variation(us) x -te_adv_unidir_link_loss x Advertise Uni-Directional Link Loss x -te_unidir_link_loss_a_bit x Min/Max Uni-Directional Link Delay A-Bit -te_uni_dir_link_loss Link Loss(%) x -te_adv_unidir_residual_bw x Advertise Uni-Directional Residual BW -te_uni_dir_residual_bw Residual BW (B/sec) x -te_adv_unidir_available_bw x Advertise Uni-Directional Available BW -te_uni_dir_available_bw Available BW (B/sec) x -te_adv_unidir_utilized_bw x Advertise Uni-Directional Utilized BW -te_uni_dir_utilized_bw Utilized BW (B/sec) x -te_mt_applicability_for_ipv6 x Multi-Topology Applicability for IPv6 -te_mt_id MTID x -te_adv_app_spec_traffic x If this is set to True, link attributes will be advertised as sub-TLV of TLVs 22,23,141,222 and 223 x If set to False, the link atrributes will be advertised as wither sub-sub-tlv of Application Specific
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_isis_config.py_part8
x -fa_adv_twice_incl_any_ag x Advertise Twice Include-Any AG x -fa_adv_twice_incl_all_ag x Advertise Twice Include-All AG x -s_r_algorithm_count x SR Algorithm Count x -isis_sr_algorithm x SR Algorithm x -advertise_srlb x Enables advertisement of Segment Routing Local Block (SRLB) x -srlb_flags x This specifies the value of the SRLB flags field x -srlb_descriptor_count x Count of the SRLB descriptor entries x -srlbDescriptor_startSidLabel x Start SID/Label x -srlbDescriptor_sidCount x SID Count x -enable_link_protection x This enables the link protection on the ISIS link between two mentioned interfaces. x -extra_traffic x This is a Protection Scheme with value 0x01. It means that the link is protecting another link or links.The LSPs on a link of this type will be lost if any of the links it is protecting fail. x -unprotected x This is a Protection Scheme with value 0x02. It means that there is no other link protecting this link.The LSPs on a link of this type will be lost if the link fails. x -shared x This is a Protection Scheme with value 0x04. It means that there are one or more disjoint links of type Extra Traffic that are protecting this link.These Extra Traffic links are shared between one or more links of type Shared. x -dedicated_one_to_one x This is a Protection Scheme with value 0x08. It means that there is one dedicated disjoint link of type Extra Traffic that is protecting this link. x -dedicated_one_plus_one x This is a Protection Scheme with value 0x10. It means that a dedicated disjoint link is protecting this link.However, the protecting link is not advertised in the link state database and is therefore not available for the routing of LSPs. x -enhanced x This is a Protection Scheme with value 0x20. It means that a protection scheme that is more reliable than Dedicated 1+1, e.g., 4 fiber BLSR/MS-SPRING, is being used to protect this link. x -reserved0x40 x This is a Protection Scheme with value 0x40. x -reserved0x80 x This is a Protection Scheme with value 0x80. x -no_of_te_profiles x Number of ISIS Traffic Engineering Profiles x -traffic_engineering_name x Name of Isis Traffic Engineering Profile -te_admin_group Administrator Group -te_metric TE Metric Level -te_max_bw The maximum bandwidth to be advertised. -te_max_resv_bw The maximum reservable bandwidth to be advertised. -te_unresv_bw_priority0 The unreserved bandwidth for priority 0 to be advertised. -te_unresv_bw_priority1 The unreserved bandwidth for priority 1 to be advertised. -te_unresv_bw_priority2 The unreserved bandwidth for priority 2 to be advertised. -te_unresv_bw_priority3 The unreserved bandwidth for priority 3 to be advertised. -te_unresv_bw_priority4 The unreserved bandwidth for priority 4 to be advertised. -te_unresv_bw_priority5 The unreserved bandwidth for priority 5 to be advertised. -te_unresv_bw_priority6 The unreserved bandwidth for priority 6 to be advertised. -te_unresv_bw_priority7 The unreserved bandwidth for priority 7 to be advertised. x -te_adv_ext_admin_group x Advertise Ext Admin Group -te_ext_admin_group_len Ext Admin Group Length x -te_ext_admin_group x Ext Admin Group x -te_adv_uni_dir_link_delay x Advertise Uni-Directional Link Delay x -te_uni_dir_link_delay_a_bit x Uni-Directional Link Delay A-Bit -te_uni_dir_link_delay Uni-Directional Link Delay (us) x -te_adv_min_max_unidir_link_delay x Advertise Min/Max Uni-Directional Link Delay x -te_min_max_unidir_link_delay_a_bit x Min/Max Uni-Directional Link Delay A-Bit -te_uni_dir_min_link_delay Uni-Directional Min Link Delay (us) -te_uni_dir_max_link_delay Uni-Directional Max Link Delay (us) x -te_adv_unidir_delay_variation x Advertise Uni-Directional Delay Variation -te_uni_dir_link_delay_variation Delay Variation(us) x -te_adv_unidir_link_loss x Advertise Uni-Directional Link Loss x -te_unidir_link_loss_a_bit x Min/Max Uni-Directional Link Delay A-Bit -te_uni_dir_link_loss Link Loss(%) x -te_adv_unidir_residual_bw x Advertise Uni-Directional Residual BW -te_uni_dir_residual_bw Residual BW (B/sec) x -te_adv_unidir_available_bw x Advertise Uni-Directional Available BW -te_uni_dir_available_bw Available BW (B/sec) x -te_adv_unidir_utilized_bw x Advertise Uni-Directional Utilized BW -te_uni_dir_utilized_bw Utilized BW (B/sec) x -te_mt_applicability_for_ipv6 x Multi-Topology Applicability for IPv6 -te_mt_id MTID x -te_adv_app_spec_traffic x If this is set to True, link attributes will be advertised as sub-TLV of TLVs 22,23,141,222 and 223 x If set to False, the link atrributes will be advertised as wither sub-sub-tlv of Application Specific x Link Attributes sub-TLV (Type 26) or sub-tlv of TLVs 22,23,141,222 and 223 depending upon the configuration of L flag x -te_app_spec_std_app_type x Standard Application Type x -te_app_spec_l_flag x If set to False, all link attributes will be advertised as sub-sub-tlv of sub tlv "Application Specific Link Attributes sub-TLV (Type 16) of TLV 22,23,141,222 and 223 x If true, then all link attributes will be advertised as sub-TLV of TLV 22,23,141,222 and 223. x -te_app_spec_usr_def_app_bm_len x User Defined Application BM Length x -te_app_spec_usr_def_ap_bm x User Defined Application BM x -if_mt_id_active x Link Metric x -if_mt_id x Multitopology ID x -link_metric x Link Metric n -port_handle n This argument defined by Cisco is not supported for NGPF implementation. n -atm_encapsulation n This argument defined by Cisco is not supported for NGPF implementation. -count The number of ISIS routers to configure on the targeted Ixia interface.The range is 0-1000. n -dce_capability_router_id n This argument defined by Cisco is not supported for NGPF implementation. n -dce_bcast_root_priority n This argument defined by Cisco is not supported for NGPF implementation. n -dce_num_mcast_dst_trees n This argument defined by Cisco is not supported for NGPF implementation. n -dce_device_id n This argument defined by Cisco is not supported for NGPF implementation. n -dce_device_pri n This argument defined by Cisco is not supported for NGPF implementation. n -dce_ftag_enable n This argument defined by Cisco is not supported for NGPF implementation. n -dce_ftag n This argument defined by Cisco is not supported for NGPF implementation. -gateway_ip_addr The gateway IP address. -gateway_ip_addr_step The gateway IP address increment value. -gateway_ipv6_addr The gateway IPv6 address. -gateway_ipv6_addr_step The gateway IPv6 address increment value. n -hello_password n This argument defined by Cisco is not supported for NGPF implementation. n -interface_handle n This argument defined by Cisco is not supported for NGPF implementation. -intf_ip_addr The IP address of the Ixia Simulated ISIS router.If -count is > 1, this IP address will increment by value specified in -intf_ip_addr_step. x -intf_ip_prefix_length x Defines the mask of the IP address used for the Ixia (-intf_ip_addr) x and the DUT interface.The range of the value is 1-32. -intf_ip_addr_step This value will be used for incrementing the IP address of Simulated ISIS router if -count is > 1. -intf_ipv6_addr The IPv6 address of the Ixia Simulated ISIS router.If -count is > 1, this IPv6 address will increment by the value specified in -intf_ipv6_addr_step. -intf_ipv6_prefix_length Defines the mask of the IPv6 address used for the Ixia (-intf_ipv6_addr) and the DUT interface.Valid range is 1-128. -intf_ipv6_addr_step This value will be used for incrementing the IPV6 address of Simulated ISIS router if -count is > 1. n -ip_version n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_bfd_registration n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_ip_addr n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_ip_addr_step n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_ip_prefix_length n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_ip_addr_count n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_metric n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_type n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_routing_level n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_l1_router_priority n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_l2_router_priority n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_te_metric n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_te_admin_group n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_te_max_bw n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_te_max_resv_bw n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_te_unresv_bw_priority0 n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_te_unresv_bw_priority1 n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_te_unresv_bw_priority2 n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_te_unresv_bw_priority3 n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_te_unresv_bw_priority4 n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_te_unresv_bw_priority5 n This argument defined by Cisco is not supported for NGPF implementation.
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_isis_config.py_part9
x Link Attributes sub-TLV (Type 26) or sub-tlv of TLVs 22,23,141,222 and 223 depending upon the configuration of L flag x -te_app_spec_std_app_type x Standard Application Type x -te_app_spec_l_flag x If set to False, all link attributes will be advertised as sub-sub-tlv of sub tlv "Application Specific Link Attributes sub-TLV (Type 16) of TLV 22,23,141,222 and 223 x If true, then all link attributes will be advertised as sub-TLV of TLV 22,23,141,222 and 223. x -te_app_spec_usr_def_app_bm_len x User Defined Application BM Length x -te_app_spec_usr_def_ap_bm x User Defined Application BM x -if_mt_id_active x Link Metric x -if_mt_id x Multitopology ID x -link_metric x Link Metric n -port_handle n This argument defined by Cisco is not supported for NGPF implementation. n -atm_encapsulation n This argument defined by Cisco is not supported for NGPF implementation. -count The number of ISIS routers to configure on the targeted Ixia interface.The range is 0-1000. n -dce_capability_router_id n This argument defined by Cisco is not supported for NGPF implementation. n -dce_bcast_root_priority n This argument defined by Cisco is not supported for NGPF implementation. n -dce_num_mcast_dst_trees n This argument defined by Cisco is not supported for NGPF implementation. n -dce_device_id n This argument defined by Cisco is not supported for NGPF implementation. n -dce_device_pri n This argument defined by Cisco is not supported for NGPF implementation. n -dce_ftag_enable n This argument defined by Cisco is not supported for NGPF implementation. n -dce_ftag n This argument defined by Cisco is not supported for NGPF implementation. -gateway_ip_addr The gateway IP address. -gateway_ip_addr_step The gateway IP address increment value. -gateway_ipv6_addr The gateway IPv6 address. -gateway_ipv6_addr_step The gateway IPv6 address increment value. n -hello_password n This argument defined by Cisco is not supported for NGPF implementation. n -interface_handle n This argument defined by Cisco is not supported for NGPF implementation. -intf_ip_addr The IP address of the Ixia Simulated ISIS router.If -count is > 1, this IP address will increment by value specified in -intf_ip_addr_step. x -intf_ip_prefix_length x Defines the mask of the IP address used for the Ixia (-intf_ip_addr) x and the DUT interface.The range of the value is 1-32. -intf_ip_addr_step This value will be used for incrementing the IP address of Simulated ISIS router if -count is > 1. -intf_ipv6_addr The IPv6 address of the Ixia Simulated ISIS router.If -count is > 1, this IPv6 address will increment by the value specified in -intf_ipv6_addr_step. -intf_ipv6_prefix_length Defines the mask of the IPv6 address used for the Ixia (-intf_ipv6_addr) and the DUT interface.Valid range is 1-128. -intf_ipv6_addr_step This value will be used for incrementing the IPV6 address of Simulated ISIS router if -count is > 1. n -ip_version n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_bfd_registration n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_ip_addr n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_ip_addr_step n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_ip_prefix_length n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_ip_addr_count n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_metric n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_type n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_routing_level n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_l1_router_priority n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_l2_router_priority n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_te_metric n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_te_admin_group n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_te_max_bw n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_te_max_resv_bw n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_te_unresv_bw_priority0 n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_te_unresv_bw_priority1 n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_te_unresv_bw_priority2 n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_te_unresv_bw_priority3 n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_te_unresv_bw_priority4 n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_te_unresv_bw_priority5 n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_te_unresv_bw_priority6 n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_te_unresv_bw_priority7 n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_hello_password n This argument defined by Cisco is not supported for NGPF implementation. -mac_address_init This option defines the MAC address that will be configured on the Ixia interface.If is -count > 1, this MAC address will increment by default by step of 1, or you can specify another step by using mac_address_step option. x -mac_address_step x This option defines the incrementing step for the MAC address that x will be configured on the Ixia interface. Valid only when x IxNetwork Tcl API is used. n -no_write n This argument defined by Cisco is not supported for NGPF implementation. x -reset x If this option is selected, this will clear any ISIS-L3 router on x the targeted interface. n -type n This argument defined by Cisco is not supported for NGPF implementation. x -vlan x Enables vlan on the directly connected ISIS router interface. x Valid options are: 0 - disable, 1 - enable. x This option is valid only when -mode is create or -mode is modify x and -handle is an ISIS router handle. -vlan_id If VLAN is enabled on the Ixia interface, this option will configure the VLAN number. -vlan_id_mode If the user configures more than one interface on the Ixia with VLAN, he can choose to automatically increment the VLAN tag (increment)or leave it idle for each interface (fixed). -vlan_id_step If the -vlan_id_mode is increment, this will be the step value by which the VLAN tags are incremented. When vlan_id_step causes the vlan_id value to exceed it's maximum value the increment will be done modulo <number of possible vlan ids>. Examples: vlan_id = 4094; vlan_id_step = 2-> new vlan_id value = 0 vlan_id = 4095; vlan_id_step = 11 -> new vlan_id value = 10 -vlan_user_priority VLAN user priority assigned to emulated router node. n -vpi n This argument defined by Cisco is not supported for NGPF implementation. n -vci n This argument defined by Cisco is not supported for NGPF implementation. n -vpi_step n This argument defined by Cisco is not supported for NGPF implementation. n -vci_step n This argument defined by Cisco is not supported for NGPF implementation. n -router_id_step n This argument defined by Cisco is not supported for NGPF implementation. n -vlan_cfi n This argument defined by Cisco is not supported for NGPF implementation. x -return_detailed_handles x This argument determines if individual interface, session or router handles are returned by the current command. x This applies only to the command on which it is specified. x Setting this to 0 means that only NGPF-specific protocol stack handles will be returned. This will significantly x decrease the size of command results and speed up script execution. x The default is 0, meaning only protocol stack handles will be returned. n -multi_topology n This argument defined by Cisco is not supported for NGPF implementation. Return Values: A list containing the ethernet protocol stack handles that were added by the command (if any). x key:ethernet_handle value:A list containing the ethernet protocol stack handles that were added by the command (if any). A list containing the ipv4 protocol stack handles that were added by the command (if any). x key:ipv4_handle value:A list containing the ipv4 protocol stack handles that were added by the command (if any). A list containing the ipv6 protocol stack handles that were added by the command (if any). x key:ipv6_handle value:A list containing the ipv6 protocol stack handles that were added by the command (if any). A list containing the isis l3 protocol stack handles that were added by the command (if any). x key:isis_l3_handle value:A list containing the isis l3 protocol stack handles that were added by the command (if any). A list containing the isis l3 router protocol stack handles that were added by the command (if any). x key:isis_l3_router_handle value:A list containing the isis l3 router protocol stack handles that were added by the command (if any). A list containing the isis l3 te protocol stack handles that were added by the command (if any). x key:isis_l3_te_handle value:A list containing the isis l3 te protocol stack handles that were added by the command (if any). A list containing the srgb range rtr protocol stack handles that were added by the command (if any). x key:srgb_range_handle_rtr value:A list containing the srgb range rtr protocol stack handles that were added by the command (if any). A list containing the sr tunnel rtr protocol stack handles that were added by the command (if any). x key:sr_tunnel_handle_rtr value:A list containing the sr tunnel rtr protocol stack handles that were added by the command (if any). A list containing the sr tunnel seg rtr protocol stack handles that were added by the command (if any). x key:sr_tunnel_seg_handle_rtr value:A list containing the sr tunnel seg rtr protocol stack handles that were added by the command (if any). A list containing the srlg range rtr protocol stack handles that were added by the command (if any). x key:srlg_range_handle_rtr value:A list containing the srlg range rtr protocol stack handles that were added by the command (if any). A list containing the sr algoList rtr protocol stack handles that were added by the command (if any). x key:sr_algoList_handle_rtr value:A list containing the sr algoList rtr protocol stack handles that were added by the command (if any). A list containing the srlb descList rtr protocol stack handles that were added by the command (if any). x key:srlb_descList_handle_rtr value:A list containing the srlb descList rtr protocol stack handles that were added by the command (if any). A list containing the flex algo r protocol stack handles that were added by the command (if any). x key:flex_algo_handler value:A list containing the flex algo r protocol stack handles that were added by the command (if any).
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_isis_config.py_part10
n -loopback_te_unresv_bw_priority6 n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_te_unresv_bw_priority7 n This argument defined by Cisco is not supported for NGPF implementation. n -loopback_hello_password n This argument defined by Cisco is not supported for NGPF implementation. -mac_address_init This option defines the MAC address that will be configured on the Ixia interface.If is -count > 1, this MAC address will increment by default by step of 1, or you can specify another step by using mac_address_step option. x -mac_address_step x This option defines the incrementing step for the MAC address that x will be configured on the Ixia interface. Valid only when x IxNetwork Tcl API is used. n -no_write n This argument defined by Cisco is not supported for NGPF implementation. x -reset x If this option is selected, this will clear any ISIS-L3 router on x the targeted interface. n -type n This argument defined by Cisco is not supported for NGPF implementation. x -vlan x Enables vlan on the directly connected ISIS router interface. x Valid options are: 0 - disable, 1 - enable. x This option is valid only when -mode is create or -mode is modify x and -handle is an ISIS router handle. -vlan_id If VLAN is enabled on the Ixia interface, this option will configure the VLAN number. -vlan_id_mode If the user configures more than one interface on the Ixia with VLAN, he can choose to automatically increment the VLAN tag (increment)or leave it idle for each interface (fixed). -vlan_id_step If the -vlan_id_mode is increment, this will be the step value by which the VLAN tags are incremented. When vlan_id_step causes the vlan_id value to exceed it's maximum value the increment will be done modulo <number of possible vlan ids>. Examples: vlan_id = 4094; vlan_id_step = 2-> new vlan_id value = 0 vlan_id = 4095; vlan_id_step = 11 -> new vlan_id value = 10 -vlan_user_priority VLAN user priority assigned to emulated router node. n -vpi n This argument defined by Cisco is not supported for NGPF implementation. n -vci n This argument defined by Cisco is not supported for NGPF implementation. n -vpi_step n This argument defined by Cisco is not supported for NGPF implementation. n -vci_step n This argument defined by Cisco is not supported for NGPF implementation. n -router_id_step n This argument defined by Cisco is not supported for NGPF implementation. n -vlan_cfi n This argument defined by Cisco is not supported for NGPF implementation. x -return_detailed_handles x This argument determines if individual interface, session or router handles are returned by the current command. x This applies only to the command on which it is specified. x Setting this to 0 means that only NGPF-specific protocol stack handles will be returned. This will significantly x decrease the size of command results and speed up script execution. x The default is 0, meaning only protocol stack handles will be returned. n -multi_topology n This argument defined by Cisco is not supported for NGPF implementation. Return Values: A list containing the ethernet protocol stack handles that were added by the command (if any). x key:ethernet_handle value:A list containing the ethernet protocol stack handles that were added by the command (if any). A list containing the ipv4 protocol stack handles that were added by the command (if any). x key:ipv4_handle value:A list containing the ipv4 protocol stack handles that were added by the command (if any). A list containing the ipv6 protocol stack handles that were added by the command (if any). x key:ipv6_handle value:A list containing the ipv6 protocol stack handles that were added by the command (if any). A list containing the isis l3 protocol stack handles that were added by the command (if any). x key:isis_l3_handle value:A list containing the isis l3 protocol stack handles that were added by the command (if any). A list containing the isis l3 router protocol stack handles that were added by the command (if any). x key:isis_l3_router_handle value:A list containing the isis l3 router protocol stack handles that were added by the command (if any). A list containing the isis l3 te protocol stack handles that were added by the command (if any). x key:isis_l3_te_handle value:A list containing the isis l3 te protocol stack handles that were added by the command (if any). A list containing the srgb range rtr protocol stack handles that were added by the command (if any). x key:srgb_range_handle_rtr value:A list containing the srgb range rtr protocol stack handles that were added by the command (if any). A list containing the sr tunnel rtr protocol stack handles that were added by the command (if any). x key:sr_tunnel_handle_rtr value:A list containing the sr tunnel rtr protocol stack handles that were added by the command (if any). A list containing the sr tunnel seg rtr protocol stack handles that were added by the command (if any). x key:sr_tunnel_seg_handle_rtr value:A list containing the sr tunnel seg rtr protocol stack handles that were added by the command (if any). A list containing the srlg range rtr protocol stack handles that were added by the command (if any). x key:srlg_range_handle_rtr value:A list containing the srlg range rtr protocol stack handles that were added by the command (if any). A list containing the sr algoList rtr protocol stack handles that were added by the command (if any). x key:sr_algoList_handle_rtr value:A list containing the sr algoList rtr protocol stack handles that were added by the command (if any). A list containing the srlb descList rtr protocol stack handles that were added by the command (if any). x key:srlb_descList_handle_rtr value:A list containing the srlb descList rtr protocol stack handles that were added by the command (if any). A list containing the flex algo r protocol stack handles that were added by the command (if any). x key:flex_algo_handler value:A list containing the flex algo r protocol stack handles that were added by the command (if any). A list containing the app spec srlg r protocol stack handles that were added by the command (if any). x key:app_spec_srlg_handler value:A list containing the app spec srlg r protocol stack handles that were added by the command (if any). A list containing the isis te profile r protocol stack handles that were added by the command (if any). x key:isis_te_profile_handler value:A list containing the isis te profile r protocol stack handles that were added by the command (if any). A list containing the isis if mt id r protocol stack handles that were added by the command (if any). x key:isis_if_mt_id_handler value:A list containing the isis if mt id r protocol stack handles that were added by the command (if any). A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:interface_handle value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:isis_handle value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:isis_l3_te_handles value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:srgb_range_handles_rtr value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:sr_tunnel_handles_rtr value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:sr_tunnel_seg_handles_rtr value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:srlg_range_handles_rtr value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:sr_algoList_handle_rtr value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:srlb_descList_handle_rtr value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:flex_algo_handler value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:app_spec_srlg_handler value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:isis_te_profile_handler value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. x key:isis_if_mt_id_handler value:A list containing individual interface, session and/or router handles that were added by the command (if any). Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0. $::SUCCESS | $::FAILURE key:status value:$::SUCCESS | $::FAILURE On status of failure, gives detailed information. key:log value:On status of failure, gives detailed information. list of router node handles Please note that this key will be omitted if the current session or command were run with -return_detailed_handles 0.
KeysightData/IxNetworkAPI9.30.2212.7PI/ixia/hlapi/9.30.2212.6/library/common/ixiangpf/python/ixiangpf_commands/emulation_isis_config.py_part11