Merge "Add host&targer in scenario['options']['server_name'] support"
[yardstick.git] / yardstick / network_services / vnf_generic / vnf / base.py
1 # Copyright (c) 2016-2017 Intel Corporation
2 #
3 # Licensed under the Apache License, Version 2.0 (the "License");
4 # you may not use this file except in compliance with the License.
5 # You may obtain a copy of the License at
6 #
7 #      http://www.apache.org/licenses/LICENSE-2.0
8 #
9 # Unless required by applicable law or agreed to in writing, software
10 # distributed under the License is distributed on an "AS IS" BASIS,
11 # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
12 # See the License for the specific language governing permissions and
13 # limitations under the License.
14 """ Base class implementation for generic vnf implementation """
15
16 from __future__ import absolute_import
17 import logging
18
19 from yardstick.network_services.helpers.samplevnf_helper import PortPairs
20
21 LOG = logging.getLogger(__name__)
22
23
24 class QueueFileWrapper(object):
25     """ Class providing file-like API for talking with SSH connection """
26
27     def __init__(self, q_in, q_out, prompt):
28         self.q_in = q_in
29         self.q_out = q_out
30         self.closed = False
31         self.buf = []
32         self.bufsize = 20
33         self.prompt = prompt
34
35     def read(self, size):
36         """ read chunk from input queue """
37         if self.q_in.qsize() > 0 and size:
38             in_data = self.q_in.get()
39             return in_data
40
41     def write(self, chunk):
42         """ write chunk to output queue """
43         self.buf.append(chunk)
44         # flush on prompt or if we exceed bufsize
45
46         size = sum(len(c) for c in self.buf)
47         if self.prompt in chunk or size > self.bufsize:
48             out = ''.join(self.buf)
49             self.buf = []
50             self.q_out.put(out)
51
52     def close(self):
53         """ close multiprocessing queue """
54         pass
55
56     def clear(self):
57         """ clear queue """
58         while self.q_out.qsize() > 0:
59             self.q_out.get()
60
61
62 class VnfdHelper(dict):
63
64     def __init__(self, *args, **kwargs):
65         super(VnfdHelper, self).__init__(*args, **kwargs)
66         self.port_pairs = PortPairs(self['vdu'][0]['external-interface'])
67
68     @property
69     def mgmt_interface(self):
70         return self["mgmt-interface"]
71
72     @property
73     def vdu(self):
74         return self['vdu']
75
76     @property
77     def vdu0(self):
78         return self.vdu[0]
79
80     @property
81     def interfaces(self):
82         return self.vdu0['external-interface']
83
84     @property
85     def kpi(self):
86         return self['benchmark']['kpi']
87
88     def find_virtual_interface(self, **kwargs):
89         key, value = next(iter(kwargs.items()))
90         for interface in self.interfaces:
91             virtual_intf = interface["virtual-interface"]
92             if virtual_intf[key] == value:
93                 return interface
94
95     def find_interface(self, **kwargs):
96         key, value = next(iter(kwargs.items()))
97         for interface in self.interfaces:
98             if interface[key] == value:
99                 return interface
100
101     # hide dpdk_port_num key so we can abstract
102     def find_interface_by_port(self, port):
103         for interface in self.interfaces:
104             virtual_intf = interface["virtual-interface"]
105             # we have to convert to int to compare
106             if int(virtual_intf['dpdk_port_num']) == port:
107                 return interface
108
109     def port_num(self, name):
110         # we need interface name -> DPDK port num (PMD ID) -> LINK ID
111         # LINK ID -> PMD ID is governed by the port mask
112         """
113
114         :rtype: int
115         :type name: str
116         """
117         intf = self.find_interface(name=name)
118         return int(intf["virtual-interface"]["dpdk_port_num"])
119
120     def port_nums(self, intfs):
121         return [self.port_num(i) for i in intfs]
122
123
124 class VNFObject(object):
125
126     # centralize network naming convention
127     UPLINK = PortPairs.UPLINK
128     DOWNLINK = PortPairs.DOWNLINK
129
130     def __init__(self, name, vnfd):
131         super(VNFObject, self).__init__()
132         self.name = name
133         self.vnfd_helper = VnfdHelper(vnfd)  # fixme: parse this into a structure
134
135
136 class GenericVNF(VNFObject):
137
138     """ Class providing file-like API for generic VNF implementation """
139     def __init__(self, name, vnfd):
140         super(GenericVNF, self).__init__(name, vnfd)
141         # List of statistics we can obtain from this VNF
142         # - ETSI MANO 6.3.1.1 monitoring_parameter
143         self.kpi = self._get_kpi_definition()
144         # Standard dictionary containing params like thread no, buffer size etc
145         self.config = {}
146         self.runs_traffic = False
147
148     def _get_kpi_definition(self):
149         """ Get list of KPIs defined in VNFD
150
151         :param vnfd:
152         :return: list of KPIs, e.g. ['throughput', 'latency']
153         """
154         return self.vnfd_helper.kpi
155
156     def instantiate(self, scenario_cfg, context_cfg):
157         """ Prepare VNF for operation and start the VNF process/VM
158
159         :param scenario_cfg:
160         :param context_cfg:
161         :return: True/False
162         """
163         raise NotImplementedError()
164
165     def terminate(self):
166         """ Kill all VNF processes
167
168         :return:
169         """
170         raise NotImplementedError()
171
172     def scale(self, flavor=""):
173         """
174
175         :param flavor:
176         :return:
177         """
178         raise NotImplementedError()
179
180     def collect_kpi(self):
181         """This method should return a dictionary containing the
182         selected KPI at a given point of time.
183
184         :return: {"kpi": value, "kpi2": value}
185         """
186         raise NotImplementedError()
187
188
189 class GenericTrafficGen(GenericVNF):
190     """ Class providing file-like API for generic traffic generator """
191
192     def __init__(self, name, vnfd):
193         super(GenericTrafficGen, self).__init__(name, vnfd)
194         self.runs_traffic = True
195         self.traffic_finished = False
196
197     def run_traffic(self, traffic_profile):
198         """ Generate traffic on the wire according to the given params.
199         Method is non-blocking, returns immediately when traffic process
200         is running. Mandatory.
201
202         :param traffic_profile:
203         :return: True/False
204         """
205         raise NotImplementedError()
206
207     def listen_traffic(self, traffic_profile):
208         """ Listen to traffic with the given parameters.
209         Method is non-blocking, returns immediately when traffic process
210         is running. Optional.
211
212         :param traffic_profile:
213         :return: True/False
214         """
215         pass
216
217     def verify_traffic(self, traffic_profile):
218         """ Verify captured traffic after it has ended. Optional.
219
220         :param traffic_profile:
221         :return: dict
222         """
223         pass
224
225     def terminate(self):
226         """ After this method finishes, all traffic processes should stop. Mandatory.
227
228         :return: True/False
229         """
230         raise NotImplementedError()