d89eeed3d064ec0f07828192740d471b79926fde
[csit.git] / resources / libraries / python / IPv4Setup.py
1 # Copyright (c) 2016 Cisco and/or its affiliates.
2 # Licensed under the Apache License, Version 2.0 (the "License");
3 # you may not use this file except in compliance with the License.
4 # You may obtain a copy of the License at:
5 #
6 #     http://www.apache.org/licenses/LICENSE-2.0
7 #
8 # Unless required by applicable law or agreed to in writing, software
9 # distributed under the License is distributed on an "AS IS" BASIS,
10 # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
11 # See the License for the specific language governing permissions and
12 # limitations under the License.
13
14 """IPv4 setup library"""
15
16 from socket import inet_ntoa
17 from struct import pack
18 from abc import ABCMeta, abstractmethod
19
20 from robot.api.deco import keyword
21
22 from resources.libraries.python.ssh import exec_cmd_no_error
23 from resources.libraries.python.Routing import Routing
24 from resources.libraries.python.topology import NodeType, Topology
25 from resources.libraries.python.VatExecutor import VatExecutor
26
27
28 class IPv4Node(object):
29     """Abstract class of a node in a topology."""
30     __metaclass__ = ABCMeta
31
32     def __init__(self, node_info):
33         self.node_info = node_info
34
35     @staticmethod
36     def _get_netmask(prefix_length):
37         bits = 0xffffffff ^ (1 << 32 - prefix_length) - 1
38         return inet_ntoa(pack('>I', bits))
39
40     @abstractmethod
41     def set_ip(self, interface, address, prefix_length):
42         """Configure IPv4 address on interface.
43
44         :param interface: Interface name.
45         :param address: IPv4 address.
46         :param prefix_length: IPv4 prefix length.
47         :type interface: str
48         :type address: str
49         :type prefix_length: int
50         :return: nothing
51         """
52         pass
53
54     @abstractmethod
55     def set_route(self, network, prefix_length, gateway, interface):
56         """Configure IPv4 route.
57
58         :param network: Network IPv4 address.
59         :param prefix_length: IPv4 prefix length.
60         :param gateway: IPv4 address of the gateway.
61         :param interface: Interface name.
62         :type network: str
63         :type prefix_length: int
64         :type gateway: str
65         :type interface: str
66         :return: nothing
67         """
68         pass
69
70     @abstractmethod
71     def unset_route(self, network, prefix_length, gateway, interface):
72         """Remove specified IPv4 route.
73
74         :param network: Network IPv4 address.
75         :param prefix_length: IPv4 prefix length.
76         :param gateway: IPv4 address of the gateway.
77         :param interface: Interface name.
78         :type network: str
79         :type prefix_length: int
80         :type gateway: str
81         :type interface: str
82         :return: nothing
83         """
84         pass
85
86     @abstractmethod
87     def flush_ip_addresses(self, interface):
88         """Flush all IPv4 addresses from specified interface.
89
90         :param interface: Interface name.
91         :type interface: str
92         :return: nothing
93         """
94         pass
95
96     @abstractmethod
97     def ping(self, destination_address, source_interface):
98         """Send an ICMP request to destination node.
99
100         :param destination_address: Address to send the ICMP request.
101         :param source_interface: Source interface name.
102         :type destination_address: str
103         :type source_interface: str
104         :return: nothing
105         """
106         pass
107
108
109 class Tg(IPv4Node):
110     """Traffic generator node"""
111     def __init__(self, node_info):
112         super(Tg, self).__init__(node_info)
113
114     def _execute(self, cmd):
115         return exec_cmd_no_error(self.node_info, cmd)
116
117     def _sudo_execute(self, cmd):
118         return exec_cmd_no_error(self.node_info, cmd, sudo=True)
119
120     def set_ip(self, interface, address, prefix_length):
121         cmd = 'ip -4 addr flush dev {}'.format(interface)
122         self._sudo_execute(cmd)
123         cmd = 'ip addr add {}/{} dev {}'.format(address, prefix_length,
124                                                 interface)
125         self._sudo_execute(cmd)
126
127     def set_route(self, network, prefix_length, gateway, interface):
128         netmask = self._get_netmask(prefix_length)
129         cmd = 'route add -net {} netmask {} gw {}'.\
130             format(network, netmask, gateway)
131         self._sudo_execute(cmd)
132
133     def unset_route(self, network, prefix_length, gateway, interface):
134         self._sudo_execute('ip route delete {}/{}'.
135                            format(network, prefix_length))
136
137     def arp_ping(self, destination_address, source_interface):
138         self._sudo_execute('arping -c 1 -I {} {}'.format(source_interface,
139                                                          destination_address))
140
141     def ping(self, destination_address, source_interface):
142         self._execute('ping -c 1 -w 5 -I {} {}'.format(source_interface,
143                                                        destination_address))
144
145     def flush_ip_addresses(self, interface):
146         self._sudo_execute('ip addr flush dev {}'.format(interface))
147
148
149 class Dut(IPv4Node):
150     """Device under test"""
151     def __init__(self, node_info):
152         super(Dut, self).__init__(node_info)
153
154     def get_sw_if_index(self, interface):
155         """Get sw_if_index of specified interface from current node.
156
157         :param interface: Interface name.
158         :type interface: str
159         :return: sw_if_index of the interface or None.
160         :rtype: int
161         """
162         return Topology().get_interface_sw_index(self.node_info, interface)
163
164     def exec_vat(self, script, **args):
165         """Wrapper for VAT executor.
166
167         :param script: Script to execute.
168         :param args: Parameters to the script.
169         :type script: str
170         :type args: dict
171         :return: nothing
172         """
173         # TODO: check return value
174         VatExecutor.cmd_from_template(self.node_info, script, **args)
175
176     def set_arp(self, iface_key, ip_address, mac_address):
177         """Set entry in ARP cache.
178
179         :param iface_key: Interface key.
180         :param ip_address: IP address.
181         :param mac_address: MAC address.
182         :type iface_key: str
183         :type ip_address: str
184         :type mac_address: str
185         """
186         self.exec_vat('add_ip_neighbor.vat',
187                       sw_if_index=self.get_sw_if_index(iface_key),
188                       ip_address=ip_address, mac_address=mac_address)
189
190     def set_ip(self, interface, address, prefix_length):
191         self.exec_vat('add_ip_address.vat',
192                       sw_if_index=self.get_sw_if_index(interface),
193                       address=address, prefix_length=prefix_length)
194
195     def set_route(self, network, prefix_length, gateway, interface):
196         Routing.vpp_route_add(self.node_info,
197                               network=network, prefix_len=prefix_length,
198                               gateway=gateway, interface=interface)
199
200     def unset_route(self, network, prefix_length, gateway, interface):
201         self.exec_vat('del_route.vat', network=network,
202                       prefix_length=prefix_length, gateway=gateway,
203                       sw_if_index=self.get_sw_if_index(interface))
204
205     def arp_ping(self, destination_address, source_interface):
206         pass
207
208     def flush_ip_addresses(self, interface):
209         self.exec_vat('flush_ip_addresses.vat',
210                       sw_if_index=self.get_sw_if_index(interface))
211
212     def ping(self, destination_address, source_interface):
213         pass
214
215
216 def get_node(node_info):
217     """Creates a class instance derived from Node based on type.
218
219     :param node_info: Dictionary containing information on nodes in topology.
220     :type node_info: dict
221     :return: Class instance that is derived from Node.
222     """
223     if node_info['type'] == NodeType.TG:
224         return Tg(node_info)
225     elif node_info['type'] == NodeType.DUT:
226         return Dut(node_info)
227     else:
228         raise NotImplementedError('Node type "{}" unsupported!'.
229                                   format(node_info['type']))
230
231
232 class IPv4Setup(object):
233     """IPv4 setup in topology."""
234
235     @staticmethod
236     def vpp_nodes_set_ipv4_addresses(nodes, nodes_addr):
237         """Set IPv4 addresses on all VPP nodes in topology.
238
239         :param nodes: Nodes of the test topology.
240         :param nodes_addr: Available nodes IPv4 addresses.
241         :type nodes: dict
242         :type nodes_addr: dict
243         :return: Affected interfaces as list of (node, interface) tuples.
244         :rtype: list
245         """
246         interfaces = []
247         for net in nodes_addr.values():
248             for port in net['ports'].values():
249                 host = port.get('node')
250                 if host is None:
251                     continue
252                 topo = Topology()
253                 node = topo.get_node_by_hostname(nodes, host)
254                 if node is None:
255                     continue
256                 if node['type'] != NodeType.DUT:
257                     continue
258                 iface_key = topo.get_interface_by_name(node, port['if'])
259                 get_node(node).set_ip(iface_key, port['addr'], net['prefix'])
260                 interfaces.append((node, port['if']))
261
262         return interfaces
263
264     @staticmethod
265     @keyword('Get IPv4 address of node "${node}" interface "${port}" '
266              'from "${nodes_addr}"')
267     def get_ip_addr(node, iface_key, nodes_addr):
268         """Return IPv4 address of the node port.
269
270         :param node: Node in the topology.
271         :param iface_key: Interface key of the node.
272         :param nodes_addr: Nodes IPv4 addresses.
273         :type node: dict
274         :type iface_key: str
275         :type nodes_addr: dict
276         :return: IPv4 address.
277         :rtype: str
278         """
279         interface = Topology.get_interface_name(node, iface_key)
280         for net in nodes_addr.values():
281             for port in net['ports'].values():
282                 host = port.get('node')
283                 dev = port.get('if')
284                 if host == node['host'] and dev == interface:
285                     ip = port.get('addr')
286                     if ip is not None:
287                         return ip
288                     else:
289                         raise Exception(
290                             'Node {n} port {p} IPv4 address is not set'.format(
291                                 n=node['host'], p=interface))
292
293         raise Exception('Node {n} port {p} IPv4 address not found.'.format(
294             n=node['host'], p=interface))
295
296     @staticmethod
297     def setup_arp_on_all_duts(nodes_info, nodes_addr):
298         """For all DUT nodes extract MAC and IP addresses of adjacent
299         interfaces from topology and use them to setup ARP entries.
300
301         :param nodes_info: Dictionary containing information on all nodes
302         in topology.
303         :param nodes_addr: Nodes IPv4 addresses.
304         :type nodes_info: dict
305         :type nodes_addr: dict
306         """
307         for node in nodes_info.values():
308             if node['type'] == NodeType.TG:
309                 continue
310             for iface_key in node['interfaces'].keys():
311                 adj_node, adj_int = Topology.\
312                     get_adjacent_node_and_interface(nodes_info, node, iface_key)
313                 ip_address = IPv4Setup.get_ip_addr(adj_node, adj_int,
314                                                    nodes_addr)
315                 mac_address = Topology.get_interface_mac(adj_node, adj_int)
316                 get_node(node).set_arp(iface_key, ip_address, mac_address)
317
318     @staticmethod
319     def add_arp_on_dut(node, iface_key, ip_address, mac_address):
320         """Set ARP cache entree on DUT node.
321
322         :param node: VPP Node in the topology.
323         :param iface_key: Interface key.
324         :param ip_address: IP address of the interface.
325         :param mac_address: MAC address of the interface.
326         :type node: dict
327         :type iface_key: str
328         :type ip_address: str
329         :type mac_address: str
330         """
331         get_node(node).set_arp(iface_key, ip_address, mac_address)