Add x710 and xl710 tests for testpmd
[csit.git] / resources / libraries / python / TrafficGenerator.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 """Performance testing traffic generator library."""
15
16 from robot.api import logger
17 from robot.libraries.BuiltIn import BuiltIn
18
19 from resources.libraries.python.constants import Constants
20 from resources.libraries.python.ssh import SSH
21 from resources.libraries.python.topology import NodeType
22 from resources.libraries.python.topology import NodeSubTypeTG
23 from resources.libraries.python.topology import Topology
24 from resources.libraries.python.DropRateSearch import DropRateSearch
25
26 __all__ = ['TrafficGenerator', 'TGDropRateSearchImpl']
27
28
29 class TGDropRateSearchImpl(DropRateSearch):
30     """Drop Rate Search implementation."""
31
32     def __init__(self):
33         super(TGDropRateSearchImpl, self).__init__()
34
35     def measure_loss(self, rate, frame_size, loss_acceptance,
36                      loss_acceptance_type, traffic_type):
37         """Runs the traffic and evaluate the measured results.
38
39         :param rate: Offered traffic load.
40         :param frame_size: Size of frame.
41         :param loss_acceptance: Permitted drop ratio or frames count.
42         :param loss_acceptance_type: Type of permitted loss.
43         :param traffic_type: Traffic profile ([2,3]-node-L[2,3], ...).
44         :type rate: int
45         :type frame_size: str
46         :type loss_acceptance: float
47         :type loss_acceptance_type: LossAcceptanceType
48         :type traffic_type: str
49         :returns: Drop threshold exceeded? (True/False)
50         :rtype: bool
51         :raises: NotImplementedError if TG is not supported.
52         :raises: RuntimeError if TG is not specified.
53         """
54         # we need instance of TrafficGenerator instantiated by Robot Framework
55         # to be able to use trex_stl-*()
56         tg_instance = BuiltIn().get_library_instance(
57             'resources.libraries.python.TrafficGenerator')
58
59         if tg_instance.node['subtype'] is None:
60             raise RuntimeError('TG subtype not defined')
61         elif tg_instance.node['subtype'] == NodeSubTypeTG.TREX:
62             unit_rate = str(rate) + self.get_rate_type_str()
63             tg_instance.trex_stl_start_remote_exec(self.get_duration(),
64                                                    unit_rate, frame_size,
65                                                    traffic_type)
66             loss = tg_instance.get_loss()
67             sent = tg_instance.get_sent()
68             if self.loss_acceptance_type_is_percentage():
69                 loss = (float(loss) / float(sent)) * 100
70
71             logger.trace("comparing: {} < {} {}".format(loss,
72                                                         loss_acceptance,
73                                                         loss_acceptance_type))
74             if float(loss) > float(loss_acceptance):
75                 return False
76             else:
77                 return True
78         else:
79             raise NotImplementedError("TG subtype not supported")
80
81     def get_latency(self):
82         """Returns min/avg/max latency.
83
84         :returns: Latency stats.
85         :rtype: list
86         """
87         tg_instance = BuiltIn().get_library_instance(
88             'resources.libraries.python.TrafficGenerator')
89         return tg_instance.get_latency_int()
90
91
92 class TrafficGenerator(object):
93     """Traffic Generator."""
94
95     # use one instance of TrafficGenerator for all tests in test suite
96     ROBOT_LIBRARY_SCOPE = 'TEST SUITE'
97
98     def __init__(self):
99         self._result = None
100         self._loss = None
101         self._sent = None
102         self._latency = None
103         self._received = None
104         self._node = None
105         # T-REX interface order mapping
106         self._ifaces_reordered = 0
107
108     @property
109     def node(self):
110         """Getter.
111
112         :returns: Traffic generator node.
113         :rtype: dict
114         """
115         return self._node
116
117     def get_loss(self):
118         """Return number of lost packets.
119
120         :returns: Number of lost packets.
121         :rtype: str
122         """
123         return self._loss
124
125     def get_sent(self):
126         """Return number of sent packets.
127
128         :returns: Number of sent packets.
129         :rtype: str
130         """
131         return self._sent
132
133     def get_received(self):
134         """Return number of received packets.
135
136         :returns: Number of received packets.
137         :rtype: str
138         """
139         return self._received
140
141     def get_latency_int(self):
142         """Return rounded min/avg/max latency.
143
144         :returns: Latency stats.
145         :rtype: list
146         """
147         return self._latency
148
149     def initialize_traffic_generator(self, tg_node, tg_if1, tg_if2,
150                                      tg_if1_adj_node, tg_if1_adj_if,
151                                      tg_if2_adj_node, tg_if2_adj_if,
152                                      test_type,
153                                      tg_if1_dst_mac=None, tg_if2_dst_mac=None):
154         """TG initialization.
155
156         :param tg_node: Traffic generator node.
157         :param tg_if1: TG - name of first interface.
158         :param tg_if2: TG - name of second interface.
159         :param tg_if1_adj_node: TG if1 adjecent node.
160         :param tg_if1_adj_if: TG if1 adjecent interface.
161         :param tg_if2_adj_node: TG if2 adjecent node.
162         :param tg_if2_adj_if: TG if2 adjecent interface.
163         :param test_type: 'L2' or 'L3' - src/dst MAC address.
164         :param tg_if1_dst_mac: Interface 1 destination MAC address.
165         :param tg_if2_dst_mac: Interface 2 destination MAC address.
166         :type tg_node: dict
167         :type tg_if1: str
168         :type tg_if2: str
169         :type tg_if1_adj_node: dict
170         :type tg_if1_adj_if: str
171         :type tg_if2_adj_node: dict
172         :type tg_if2_adj_if: str
173         :type test_type: str
174         :type tg_if1_dst_mac: str
175         :type tg_if2_dst_mac: str
176         :returns: nothing
177         :raises: RuntimeError in case of issue during initialization.
178         """
179
180         topo = Topology()
181
182         if tg_node['type'] != NodeType.TG:
183             raise RuntimeError('Node type is not a TG')
184         self._node = tg_node
185
186         if tg_node['subtype'] == NodeSubTypeTG.TREX:
187             trex_path = "/opt/trex-core-2.22"
188
189             ssh = SSH()
190             ssh.connect(tg_node)
191
192             (ret, stdout, stderr) = ssh.exec_command(
193                 "sudo -E sh -c '{}/resources/tools/t-rex/"
194                 "t-rex-installer.sh'".format(Constants.REMOTE_FW_DIR),
195                 timeout=1800)
196             if int(ret) != 0:
197                 logger.error('trex installation failed: {0}'.format(
198                     stdout + stderr))
199                 raise RuntimeError('Installation of TG failed')
200
201             if1_pci = topo.get_interface_pci_addr(tg_node, tg_if1)
202             if2_pci = topo.get_interface_pci_addr(tg_node, tg_if2)
203             if1_mac = topo.get_interface_mac(tg_node, tg_if1)
204             if2_mac = topo.get_interface_mac(tg_node, tg_if2)
205
206             if test_type == 'L2':
207                 if1_adj_mac = if2_mac
208                 if2_adj_mac = if1_mac
209             elif test_type == 'L3':
210                 if1_adj_mac = topo.get_interface_mac(tg_if1_adj_node,
211                                                      tg_if1_adj_if)
212                 if2_adj_mac = topo.get_interface_mac(tg_if2_adj_node,
213                                                      tg_if2_adj_if)
214             else:
215                 raise ValueError("test_type unknown")
216
217             if tg_if1_dst_mac is not None and tg_if2_dst_mac is not None:
218                 if1_adj_mac = tg_if1_dst_mac
219                 if2_adj_mac = tg_if2_dst_mac
220
221             if min(if1_pci, if2_pci) != if1_pci:
222                 if1_mac, if2_mac = if2_mac, if1_mac
223                 if1_pci, if2_pci = if2_pci, if1_pci
224                 if1_adj_mac, if2_adj_mac = if2_adj_mac, if1_adj_mac
225                 self._ifaces_reordered = 1
226
227             if1_mac_hex = "0x"+if1_mac.replace(":", ",0x")
228             if2_mac_hex = "0x"+if2_mac.replace(":", ",0x")
229             if1_adj_mac_hex = "0x"+if1_adj_mac.replace(":", ",0x")
230             if2_adj_mac_hex = "0x"+if2_adj_mac.replace(":", ",0x")
231
232             (ret, stdout, stderr) = ssh.exec_command(
233                 "sudo sh -c 'cat << EOF > /etc/trex_cfg.yaml\n"
234                 "- port_limit      : 2\n"
235                 "  version         : 2\n"
236                 "  interfaces      : [\"{}\",\"{}\"]\n"
237                 "  port_info       :\n"
238                 "          - dest_mac        :   [{}]\n"
239                 "            src_mac         :   [{}]\n"
240                 "          - dest_mac        :   [{}]\n"
241                 "            src_mac         :   [{}]\n"
242                 "EOF'"\
243                 .format(if1_pci, if2_pci,
244                         if1_adj_mac_hex, if1_mac_hex,
245                         if2_adj_mac_hex, if2_mac_hex))
246             if int(ret) != 0:
247                 logger.error("failed to create t-rex config: {}"\
248                 .format(stdout + stderr))
249                 raise RuntimeError('trex config generation error')
250
251             max_startup_retries = 3
252             while max_startup_retries > 0:
253                 # kill T-rex only if it is already running
254                 (ret, _, _) = ssh.exec_command(
255                     "sh -c 'pgrep t-rex && sudo pkill t-rex && sleep 3'")
256
257                 # configure T-rex
258                 (ret, stdout, stderr) = ssh.exec_command(
259                     "sh -c 'cd {0}/scripts/ && sudo ./trex-cfg'"\
260                     .format(trex_path))
261                 if int(ret) != 0:
262                     logger.error('trex-cfg failed: {0}'.format(stdout + stderr))
263                     raise RuntimeError('trex-cfg failed')
264
265                 # start T-rex
266                 (ret, _, _) = ssh.exec_command(
267                     "sh -c 'cd {0}/scripts/ && "
268                     "sudo nohup ./t-rex-64 -i -c 7 --iom 0 > /dev/null 2>&1 &'"
269                     "> /dev/null"\
270                     .format(trex_path))
271                 if int(ret) != 0:
272                     raise RuntimeError('t-rex-64 startup failed')
273
274                 # get T-rex server info
275                 (ret, _, _) = ssh.exec_command(
276                     "sh -c 'sleep 3; "
277                     "{0}/resources/tools/t-rex/t-rex-server-info.py'"\
278                     .format(Constants.REMOTE_FW_DIR),
279                     timeout=120)
280                 if int(ret) == 0:
281                     # If we get info T-rex is running
282                     return
283                 # try again
284                 max_startup_retries -= 1
285             # after max retries T-rex is still not responding to API
286             # critical error occured
287             raise RuntimeError('t-rex-64 startup failed')
288
289
290     @staticmethod
291     def teardown_traffic_generator(node):
292         """TG teardown.
293
294         :param node: Traffic generator node.
295         :type node: dict
296         :returns: nothing
297         :raises: RuntimeError if T-rex teardown failed.
298         :raises: RuntimeError if node type is not a TG.
299         """
300         if node['type'] != NodeType.TG:
301             raise RuntimeError('Node type is not a TG')
302         if node['subtype'] == NodeSubTypeTG.TREX:
303             ssh = SSH()
304             ssh.connect(node)
305             (ret, stdout, stderr) = ssh.exec_command(
306                 "sh -c 'sudo pkill t-rex && sleep 3'")
307             if int(ret) != 0:
308                 logger.error('pkill t-rex failed: {0}'.format(stdout + stderr))
309                 raise RuntimeError('pkill t-rex failed')
310
311     @staticmethod
312     def trex_stl_stop_remote_exec(node):
313         """Execute script on remote node over ssh to stop running traffic.
314
315         :param node: T-REX generator node.
316         :type node: dict
317         :returns: Nothing
318         :raises: RuntimeError if stop traffic script fails.
319         """
320         ssh = SSH()
321         ssh.connect(node)
322
323         (ret, stdout, stderr) = ssh.exec_command(
324             "sh -c '{}/resources/tools/t-rex/"
325             "t-rex-stateless-stop.py'".format(Constants.REMOTE_FW_DIR))
326         logger.trace(ret)
327         logger.trace(stdout)
328         logger.trace(stderr)
329
330         if int(ret) != 0:
331             raise RuntimeError('T-rex stateless runtime error')
332
333     def trex_stl_start_remote_exec(self, duration, rate, framesize,
334                                    traffic_type, async_call=False,
335                                    latency=True, warmup_time=5):
336         """Execute script on remote node over ssh to start traffic.
337
338         :param duration: Time expresed in seconds for how long to send traffic.
339         :param rate: Traffic rate expressed with units (pps, %)
340         :param framesize: L2 frame size to send (without padding and IPG).
341         :param traffic_type: Traffic profile.
342         :param async_call: If enabled then don't wait for all incomming trafic.
343         :param latency: With latency measurement.
344         :param warmup_time: Warmup time period.
345         :type duration: int
346         :type rate: str
347         :type framesize: int
348         :type traffic_type: str
349         :type async_call: bool
350         :type latency: bool
351         :type warmup_time: int
352         :returns: Nothing
353         :raises: NotImplementedError if traffic type is not supported.
354         :raises: RuntimeError in case of TG driver issue.
355         """
356         ssh = SSH()
357         ssh.connect(self._node)
358
359         _p0 = 1
360         _p1 = 2
361         _async = "--async" if async_call else ""
362         _latency = "--latency" if latency else ""
363
364         if self._ifaces_reordered != 0:
365             _p0, _p1 = _p1, _p0
366
367         if traffic_type in ["3-node-xconnect", "3-node-bridge"]:
368             (ret, stdout, stderr) = ssh.exec_command(
369                 "sh -c '{0}/resources/tools/t-rex/t-rex-stateless.py "
370                 "--duration={1} -r {2} -s {3} "
371                 "--p{4}_src_start_ip 10.10.10.1 "
372                 "--p{4}_src_end_ip 10.10.10.254 "
373                 "--p{4}_dst_start_ip 20.20.20.1 "
374                 "--p{5}_src_start_ip 20.20.20.1 "
375                 "--p{5}_src_end_ip 20.20.20.254 "
376                 "--p{5}_dst_start_ip 10.10.10.1 "
377                 "{6} {7} --warmup_time={8}'".format(Constants.REMOTE_FW_DIR,
378                                                     duration, rate, framesize,
379                                                     _p0, _p1, _async, _latency,
380                                                     warmup_time),
381                 timeout=int(duration)+60)
382         elif traffic_type in ["3-node-IPv4"]:
383             (ret, stdout, stderr) = ssh.exec_command(
384                 "sh -c '{0}/resources/tools/t-rex/t-rex-stateless.py "
385                 "--duration={1} -r {2} -s {3} "
386                 "--p{4}_src_start_ip 10.10.10.2 "
387                 "--p{4}_src_end_ip 10.10.10.254 "
388                 "--p{4}_dst_start_ip 20.20.20.2 "
389                 "--p{5}_src_start_ip 20.20.20.2 "
390                 "--p{5}_src_end_ip 20.20.20.254 "
391                 "--p{5}_dst_start_ip 10.10.10.2 "
392                 "{6} {7} --warmup_time={8}'".format(Constants.REMOTE_FW_DIR,
393                                                     duration, rate, framesize,
394                                                     _p0, _p1, _async, _latency,
395                                                     warmup_time),
396                 timeout=int(duration)+60)
397         elif traffic_type in ["3-node-IPv4-dst-10000"]:
398             (ret, stdout, stderr) = ssh.exec_command(
399                 "sh -c '{0}/resources/tools/t-rex/t-rex-stateless.py "
400                 "--duration={1} -r {2} -s {3} "
401                 "--p{4}_src_start_ip 10.0.0.1 "
402                 "--p{4}_dst_start_ip 20.0.0.0 "
403                 "--p{4}_dst_end_ip 20.0.39.15 "
404                 "--p{5}_src_start_ip 20.0.0.1 "
405                 "--p{5}_dst_start_ip 10.0.0.0 "
406                 "--p{5}_dst_end_ip 10.0.39.15 "
407                 "{6} {7} --warmup_time={8}'".format(Constants.REMOTE_FW_DIR,
408                                                     duration, rate, framesize,
409                                                     _p0, _p1, _async, _latency,
410                                                     warmup_time),
411                 timeout=int(duration)+60)
412         elif traffic_type in ["3-node-IPv4-dst-100000"]:
413             (ret, stdout, stderr) = ssh.exec_command(
414                 "sh -c '{0}/resources/tools/t-rex/t-rex-stateless.py "
415                 "--duration={1} -r {2} -s {3} "
416                 "--p{4}_src_start_ip 10.0.0.1 "
417                 "--p{4}_dst_start_ip 20.0.0.0 "
418                 "--p{4}_dst_end_ip 20.1.134.159 "
419                 "--p{5}_src_start_ip 20.0.0.1 "
420                 "--p{5}_dst_start_ip 10.0.0.0 "
421                 "--p{5}_dst_end_ip 10.1.134.159 "
422                 "{6} {7} --warmup_time={8}'".format(Constants.REMOTE_FW_DIR,
423                                                     duration, rate, framesize,
424                                                     _p0, _p1, _async, _latency,
425                                                     warmup_time),
426                 timeout=int(duration)+60)
427         elif traffic_type in ["3-node-IPv4-dst-1000000"]:
428             (ret, stdout, stderr) = ssh.exec_command(
429                 "sh -c '{0}/resources/tools/t-rex/t-rex-stateless.py "
430                 "--duration={1} -r {2} -s {3} "
431                 "--p{4}_src_start_ip 10.0.0.1 "
432                 "--p{4}_dst_start_ip 20.0.0.0 "
433                 "--p{4}_dst_end_ip 20.15.66.63 "
434                 "--p{5}_src_start_ip 20.0.0.1 "
435                 "--p{5}_dst_start_ip 10.0.0.0 "
436                 "--p{5}_dst_end_ip 10.15.66.63 "
437                 "{6} {7} --warmup_time={8}'".format(Constants.REMOTE_FW_DIR,
438                                                     duration, rate, framesize,
439                                                     _p0, _p1, _async, _latency,
440                                                     warmup_time),
441                 timeout=int(duration)+60)
442         elif traffic_type in ["3-node-IPv6"]:
443             (ret, stdout, stderr) = ssh.exec_command(
444                 "sh -c '{0}/resources/tools/t-rex/t-rex-stateless.py "
445                 "--duration={1} -r {2} -s {3} -6 "
446                 "--p{4}_src_start_ip 2001:1::2 "
447                 "--p{4}_src_end_ip 2001:1::FE "
448                 "--p{4}_dst_start_ip 2001:2::2 "
449                 "--p{5}_src_start_ip 2001:2::2 "
450                 "--p{5}_src_end_ip 2001:2::FE "
451                 "--p{5}_dst_start_ip 2001:1::2 "
452                 "{6} {7} --warmup_time={8}'".format(Constants.REMOTE_FW_DIR,
453                                                     duration, rate, framesize,
454                                                     _p0, _p1, _async, _latency,
455                                                     warmup_time),
456                 timeout=int(duration)+60)
457         elif traffic_type in ["3-node-IPv6-dst-10000"]:
458             (ret, stdout, stderr) = ssh.exec_command(
459                 "sh -c '{0}/resources/tools/t-rex/t-rex-stateless.py "
460                 "--duration={1} -r {2} -s {3} -6 "
461                 "--p{4}_src_start_ip 2001:1::1 "
462                 "--p{4}_dst_start_ip 2001:2::0 "
463                 "--p{4}_dst_end_ip 2001:2::270F "
464                 "--p{5}_src_start_ip 2001:2::1 "
465                 "--p{5}_dst_start_ip 2001:1::0 "
466                 "--p{5}_dst_end_ip 2001:1::270F "
467                 "{6} {7} --warmup_time={8}'".format(Constants.REMOTE_FW_DIR,
468                                                     duration, rate, framesize,
469                                                     _p0, _p1, _async, _latency,
470                                                     warmup_time),
471                 timeout=int(duration)+60)
472         elif traffic_type in ["3-node-IPv6-dst-100000"]:
473             (ret, stdout, stderr) = ssh.exec_command(
474                 "sh -c '{0}/resources/tools/t-rex/t-rex-stateless.py "
475                 "--duration={1} -r {2} -s {3} -6 "
476                 "--p{4}_src_start_ip 2001:1::1 "
477                 "--p{4}_dst_start_ip 2001:2::0 "
478                 "--p{4}_dst_end_ip 2001:2::1:869F "
479                 "--p{5}_src_start_ip 2001:2::1 "
480                 "--p{5}_dst_start_ip 2001:1::0 "
481                 "--p{5}_dst_end_ip 2001:1::1:869F "
482                 "{6} {7} --warmup_time={8}'".format(Constants.REMOTE_FW_DIR,
483                                                     duration, rate, framesize,
484                                                     _p0, _p1, _async, _latency,
485                                                     warmup_time),
486                 timeout=int(duration)+60)
487         elif traffic_type in ["3-node-IPv6-dst-1000000"]:
488             (ret, stdout, stderr) = ssh.exec_command(
489                 "sh -c '{0}/resources/tools/t-rex/t-rex-stateless.py "
490                 "--duration={1} -r {2} -s {3} -6 "
491                 "--p{4}_src_start_ip 2001:1::1 "
492                 "--p{4}_dst_start_ip 2001:2::0 "
493                 "--p{4}_dst_end_ip 2001:2::F:423F "
494                 "--p{5}_src_start_ip 2001:2::1 "
495                 "--p{5}_dst_start_ip 2001:1::0 "
496                 "--p{5}_dst_end_ip 2001:1::F:423F "
497                 "{6} {7} --warmup_time={8}'".format(Constants.REMOTE_FW_DIR,
498                                                     duration, rate, framesize,
499                                                     _p0, _p1, _async, _latency,
500                                                     warmup_time),
501                 timeout=int(duration)+60)
502         elif traffic_type in ["2-node-bridge"]:
503             (ret, stdout, stderr) = ssh.exec_command(
504                 "sh -c '{0}/resources/tools/t-rex/t-rex-stateless.py "
505                 "--duration={1} -r {2} -s {3} "
506                 "--p{4}_src_start_ip 10.10.10.2 "
507                 "--p{4}_src_end_ip 10.10.10.254 "
508                 "--p{4}_dst_start_ip 20.20.20.2 "
509                 "--p{5}_src_start_ip 20.20.20.2 "
510                 "--p{5}_src_end_ip 20.20.20.254 "
511                 "--p{5}_dst_start_ip 10.10.10.2 "
512                 "{6} {7} --warmup_time={8}'".format(Constants.REMOTE_FW_DIR,
513                                                     duration, rate, framesize,
514                                                     _p0, _p1, _async, _latency,
515                                                     warmup_time),
516                 timeout = int(duration) + 60)
517         else:
518             raise NotImplementedError('Unsupported traffic type')
519
520         logger.trace(ret)
521         logger.trace(stdout)
522         logger.trace(stderr)
523
524         if int(ret) != 0:
525             raise RuntimeError('T-rex stateless runtime error')
526         elif async_call:
527             #no result
528             self._received = None
529             self._sent = None
530             self._loss = None
531             self._latency = None
532         else:
533             # last line from console output
534             line = stdout.splitlines()[-1]
535
536             self._result = line
537             logger.info('TrafficGen result: {0}'.format(self._result))
538
539             self._received = self._result.split(', ')[1].split('=')[1]
540             self._sent = self._result.split(', ')[2].split('=')[1]
541             self._loss = self._result.split(', ')[3].split('=')[1]
542
543             self._latency = []
544             self._latency.append(self._result.split(', ')[4].split('=')[1])
545             self._latency.append(self._result.split(', ')[5].split('=')[1])
546
547     def stop_traffic_on_tg(self):
548         """Stop all traffic on TG.
549
550         :returns: Nothing
551         :raises: RuntimeError if TG is not set.
552         """
553         if self._node is None:
554             raise RuntimeError("TG is not set")
555         if self._node['subtype'] == NodeSubTypeTG.TREX:
556             self.trex_stl_stop_remote_exec(self._node)
557
558     def send_traffic_on_tg(self, duration, rate, framesize,
559                            traffic_type, warmup_time=5, async_call=False,
560                            latency=True):
561         """Send traffic from all configured interfaces on TG.
562
563         :param duration: Duration of test traffic generation in seconds.
564         :param rate: Offered load per interface (e.g. 1%, 3gbps, 4mpps, ...).
565         :param framesize: Frame size (L2) in Bytes.
566         :param traffic_type: Traffic profile.
567         :param warmup_time: Warmup phase in seconds.
568         :param async_call: Async mode.
569         :param latency: With latency measurement.
570         :type duration: str
571         :type rate: str
572         :type framesize: str
573         :type traffic_type: str
574         :type warmup_time: int
575         :type async_call: bool
576         :type latency: bool
577         :returns: TG output.
578         :rtype: str
579         :raises: RuntimeError if TG is not set.
580         :raises: RuntimeError if node is not TG or subtype is not specified.
581         :raises: NotImplementedError if TG is not supported.
582         """
583
584         node = self._node
585         if node is None:
586             raise RuntimeError("TG is not set")
587
588         if node['type'] != NodeType.TG:
589             raise RuntimeError('Node type is not a TG')
590
591         if node['subtype'] is None:
592             raise RuntimeError('TG subtype not defined')
593         elif node['subtype'] == NodeSubTypeTG.TREX:
594             self.trex_stl_start_remote_exec(duration, rate, framesize,
595                                             traffic_type, async_call, latency,
596                                             warmup_time=warmup_time)
597         else:
598             raise NotImplementedError("TG subtype not supported")
599
600         return self._result
601
602     def no_traffic_loss_occurred(self):
603         """Fail if loss occurred in traffic run.
604
605         :returns: nothing
606         :raises: Exception if loss occured.
607         """
608         if self._loss is None:
609             raise Exception('The traffic generation has not been issued')
610         if self._loss != '0':
611             raise Exception('Traffic loss occurred: {0}'.format(self._loss))
612
613     def partial_traffic_loss_accepted(self, loss_acceptance,
614                                       loss_acceptance_type):
615         """Fail if loss is higher then accepted in traffic run.
616
617         :param loss_acceptance: Permitted drop ratio or frames count.
618         :param loss_acceptance_type: Type of permitted loss.
619         :type loss_acceptance: float
620         :type loss_acceptance_type: LossAcceptanceType
621         :returns: nothing
622         :raises: Exception if loss is above acceptance criteria.
623         """
624         if self._loss is None:
625             raise Exception('The traffic generation has not been issued')
626
627         if loss_acceptance_type == 'percentage':
628             loss = (float(self._loss) / float(self._sent)) * 100
629         elif loss_acceptance_type == 'frames':
630             loss = float(self._loss)
631         else:
632             raise Exception('Loss acceptance type not supported')
633
634         if loss > float(loss_acceptance):
635             raise Exception("Traffic loss {} above loss acceptance: {}".format(
636                 loss, loss_acceptance))