Total Complexity | 165 |
Total Lines | 923 |
Duplicated Lines | 4.98 % |
Coverage | 80.51% |
Changes | 0 |
Duplicate code is one of the most pungent code smells. A rule that is often used is to re-structure code once it is duplicated in three or more places.
Common duplication problems, and corresponding solutions are:
Complex classes like build.models often do a lot of different things. To break such a class down, we need to identify a cohesive component within that class. A common approach to find such a component is to look for fields/methods that share the same prefixes, or suffixes.
Once you have determined the fields that belong together, you can apply the Extract Class refactoring. If the component makes sense as a sub-class, Extract Subclass is also a candidate, and is often faster.
1 | """Classes used in the main application.""" |
||
2 | 1 | from datetime import datetime |
|
3 | 1 | from uuid import uuid4 |
|
4 | |||
5 | 1 | import requests |
|
6 | |||
7 | 1 | from kytos.core import log |
|
8 | 1 | from kytos.core.common import EntityStatus, GenericEntity |
|
9 | 1 | from kytos.core.exceptions import KytosNoTagAvailableError |
|
10 | 1 | from kytos.core.helpers import get_time, now |
|
11 | 1 | from kytos.core.interface import UNI |
|
12 | 1 | from kytos.core.link import Link |
|
13 | 1 | from napps.kytos.mef_eline import settings |
|
14 | 1 | from napps.kytos.mef_eline.storehouse import StoreHouse |
|
15 | |||
16 | |||
17 | 1 | class Path(list, GenericEntity): |
|
18 | """Class to represent a Path.""" |
||
19 | |||
20 | 1 | def __eq__(self, other=None): |
|
21 | """Compare paths.""" |
||
22 | 1 | if not other or not isinstance(other, Path): |
|
23 | 1 | return False |
|
24 | 1 | return super().__eq__(other) |
|
25 | |||
26 | 1 | def is_affected_by_link(self, link=None): |
|
27 | """Verify if the current path is affected by link.""" |
||
28 | 1 | if not link: |
|
29 | 1 | return False |
|
30 | 1 | return link in self |
|
31 | |||
32 | 1 | def link_affected_by_interface(self, interface=None): |
|
33 | """Return the link using this interface, if any, or None otherwise.""" |
||
34 | 1 | if not interface: |
|
35 | 1 | return None |
|
36 | 1 | for link in self: |
|
37 | 1 | if interface in (link.endpoint_a, link.endpoint_b): |
|
38 | 1 | return link |
|
39 | return None |
||
40 | |||
41 | 1 | def choose_vlans(self): |
|
42 | """Choose the VLANs to be used for the circuit.""" |
||
43 | 1 | for link in self: |
|
44 | 1 | tag = link.get_next_available_tag() |
|
45 | 1 | link.use_tag(tag) |
|
46 | 1 | link.add_metadata('s_vlan', tag) |
|
47 | |||
48 | 1 | def make_vlans_available(self): |
|
49 | """Make the VLANs used in a path available when undeployed.""" |
||
50 | 1 | for link in self: |
|
51 | 1 | link.make_tag_available(link.get_metadata('s_vlan')) |
|
52 | 1 | link.remove_metadata('s_vlan') |
|
53 | |||
54 | 1 | @property |
|
55 | def status(self): |
||
56 | """Check for the status of a path. |
||
57 | |||
58 | If any link in this path is down, the path is considered down. |
||
59 | """ |
||
60 | 1 | if not self: |
|
61 | 1 | return EntityStatus.DISABLED |
|
62 | |||
63 | 1 | endpoint = '%s/%s' % (settings.TOPOLOGY_URL, 'links') |
|
64 | 1 | api_reply = requests.get(endpoint) |
|
65 | 1 | if api_reply.status_code != getattr(requests.codes, 'ok'): |
|
66 | log.error('Failed to get links at %s. Returned %s', |
||
67 | endpoint, api_reply.status_code) |
||
68 | return None |
||
69 | 1 | links = api_reply.json()['links'] |
|
70 | 1 | return_status = EntityStatus.UP |
|
71 | 1 | for path_link in self: |
|
72 | 1 | try: |
|
73 | 1 | link = links[path_link.id] |
|
74 | except KeyError: |
||
75 | return EntityStatus.DISABLED |
||
76 | 1 | if link['enabled'] is False: |
|
77 | 1 | return EntityStatus.DISABLED |
|
78 | 1 | if link['active'] is False: |
|
79 | 1 | return_status = EntityStatus.DOWN |
|
80 | 1 | return return_status |
|
81 | |||
82 | 1 | def as_dict(self): |
|
83 | """Return list comprehension of links as_dict.""" |
||
84 | 1 | return [link.as_dict() for link in self if link] |
|
85 | |||
86 | |||
87 | 1 | class DynamicPathManager: |
|
88 | """Class to handle and create paths.""" |
||
89 | |||
90 | 1 | controller = None |
|
91 | |||
92 | 1 | @classmethod |
|
93 | 1 | def set_controller(cls, controller=None): |
|
94 | """Set the controller to discovery news paths.""" |
||
95 | 1 | cls.controller = controller |
|
96 | |||
97 | 1 | @staticmethod |
|
98 | def get_paths(circuit): |
||
99 | """Get a valid path for the circuit from the Pathfinder.""" |
||
100 | endpoint = settings.PATHFINDER_URL |
||
101 | request_data = {"source": circuit.uni_a.interface.id, |
||
102 | "destination": circuit.uni_z.interface.id} |
||
103 | api_reply = requests.post(endpoint, json=request_data) |
||
104 | |||
105 | if api_reply.status_code != getattr(requests.codes, 'ok'): |
||
106 | log.error("Failed to get paths at %s. Returned %s", |
||
107 | endpoint, api_reply.status_code) |
||
108 | return None |
||
109 | reply_data = api_reply.json() |
||
110 | return reply_data.get('paths') |
||
111 | |||
112 | 1 | @staticmethod |
|
113 | def _clear_path(path): |
||
114 | """Remove switches from a path, returning only interfaces.""" |
||
115 | return [endpoint for endpoint in path if len(endpoint) > 23] |
||
116 | |||
117 | 1 | @classmethod |
|
118 | def get_best_path(cls, circuit): |
||
119 | """Return the best path available for a circuit, if exists.""" |
||
120 | paths = cls.get_paths(circuit) |
||
121 | if paths: |
||
122 | return cls.create_path(cls.get_paths(circuit)[0]['hops']) |
||
123 | return None |
||
124 | |||
125 | 1 | @classmethod |
|
126 | def get_best_paths(cls, circuit): |
||
127 | """Return the best paths available for a circuit, if they exist.""" |
||
128 | for path in cls.get_paths(circuit): |
||
129 | yield cls.create_path(path['hops']) |
||
130 | |||
131 | 1 | @classmethod |
|
132 | def create_path(cls, path): |
||
133 | """Return the path containing only the interfaces.""" |
||
134 | new_path = Path() |
||
135 | clean_path = cls._clear_path(path) |
||
136 | |||
137 | if len(clean_path) % 2: |
||
138 | return None |
||
139 | |||
140 | for link in zip(clean_path[1:-1:2], clean_path[2::2]): |
||
141 | interface_a = cls.controller.get_interface_by_id(link[0]) |
||
142 | interface_b = cls.controller.get_interface_by_id(link[1]) |
||
143 | if interface_a is None or interface_b is None: |
||
144 | return None |
||
145 | new_path.append(Link(interface_a, interface_b)) |
||
146 | |||
147 | return new_path |
||
148 | |||
149 | |||
150 | 1 | class EVCBase(GenericEntity): |
|
151 | """Class to represent a circuit.""" |
||
152 | |||
153 | 1 | unique_attributes = ['name', 'uni_a', 'uni_z'] |
|
154 | |||
155 | 1 | def __init__(self, controller, **kwargs): |
|
156 | """Create an EVC instance with the provided parameters. |
||
157 | |||
158 | Args: |
||
159 | id(str): EVC identifier. Whether it's None an ID will be genereted. |
||
160 | Only the first 14 bytes passed will be used. |
||
161 | name: represents an EVC name.(Required) |
||
162 | uni_a (UNI): Endpoint A for User Network Interface.(Required) |
||
163 | uni_z (UNI): Endpoint Z for User Network Interface.(Required) |
||
164 | start_date(datetime|str): Date when the EVC was registred. |
||
165 | Default is now(). |
||
166 | end_date(datetime|str): Final date that the EVC will be fineshed. |
||
167 | Default is None. |
||
168 | bandwidth(int): Bandwidth used by EVC instance. Default is 0. |
||
169 | primary_links(list): Primary links used by evc. Default is [] |
||
170 | backup_links(list): Backups links used by evc. Default is [] |
||
171 | current_path(list): Circuit being used at the moment if this is an |
||
172 | active circuit. Default is []. |
||
173 | primary_path(list): primary circuit offered to user IF one or more |
||
174 | links were provided. Default is []. |
||
175 | backup_path(list): backup circuit offered to the user IF one or |
||
176 | more links were provided. Default is []. |
||
177 | dynamic_backup_path(bool): Enable computer backup path dynamically. |
||
178 | Dafault is False. |
||
179 | creation_time(datetime|str): datetime when the circuit should be |
||
180 | activated. default is now(). |
||
181 | enabled(Boolean): attribute to indicate the administrative state; |
||
182 | default is False. |
||
183 | active(Boolean): attribute to indicate the operational state; |
||
184 | default is False. |
||
185 | archived(Boolean): indicate the EVC has been deleted and is |
||
186 | archived; default is False. |
||
187 | owner(str): The EVC owner. Default is None. |
||
188 | priority(int): Service level provided in the request. Default is 0. |
||
189 | |||
190 | Raises: |
||
191 | ValueError: raised when object attributes are invalid. |
||
192 | |||
193 | """ |
||
194 | 1 | self._validate(**kwargs) |
|
195 | 1 | super().__init__() |
|
196 | |||
197 | # required attributes |
||
198 | 1 | self._id = kwargs.get('id', uuid4().hex)[:14] |
|
199 | 1 | self.uni_a = kwargs.get('uni_a') |
|
200 | 1 | self.uni_z = kwargs.get('uni_z') |
|
201 | 1 | self.name = kwargs.get('name') |
|
202 | |||
203 | # optional attributes |
||
204 | 1 | self.start_date = get_time(kwargs.get('start_date')) or now() |
|
205 | 1 | self.end_date = get_time(kwargs.get('end_date')) or None |
|
206 | 1 | self.queue_id = kwargs.get('queue_id', None) |
|
207 | |||
208 | 1 | self.bandwidth = kwargs.get('bandwidth', 0) |
|
209 | 1 | self.primary_links = Path(kwargs.get('primary_links', [])) |
|
210 | 1 | self.backup_links = Path(kwargs.get('backup_links', [])) |
|
211 | 1 | self.current_path = Path(kwargs.get('current_path', [])) |
|
212 | 1 | self.primary_path = Path(kwargs.get('primary_path', [])) |
|
213 | 1 | self.backup_path = Path(kwargs.get('backup_path', [])) |
|
214 | 1 | self.dynamic_backup_path = kwargs.get('dynamic_backup_path', False) |
|
215 | 1 | self.creation_time = get_time(kwargs.get('creation_time')) or now() |
|
216 | 1 | self.owner = kwargs.get('owner', None) |
|
217 | 1 | self.priority = kwargs.get('priority', 0) |
|
218 | 1 | self.circuit_scheduler = kwargs.get('circuit_scheduler', []) |
|
219 | |||
220 | 1 | self.current_links_cache = set() |
|
221 | 1 | self.primary_links_cache = set() |
|
222 | 1 | self.backup_links_cache = set() |
|
223 | |||
224 | 1 | self.archived = kwargs.get('archived', False) |
|
225 | |||
226 | 1 | self._storehouse = StoreHouse(controller) |
|
227 | |||
228 | 1 | if kwargs.get('active', False): |
|
229 | 1 | self.activate() |
|
230 | else: |
||
231 | 1 | self.deactivate() |
|
232 | |||
233 | 1 | if kwargs.get('enabled', False): |
|
234 | 1 | self.enable() |
|
235 | else: |
||
236 | 1 | self.disable() |
|
237 | |||
238 | # datetime of user request for a EVC (or datetime when object was |
||
239 | # created) |
||
240 | 1 | self.request_time = kwargs.get('request_time', now()) |
|
241 | # dict with the user original request (input) |
||
242 | 1 | self._requested = kwargs |
|
243 | |||
244 | 1 | def sync(self): |
|
245 | """Sync this EVC in the storehouse.""" |
||
246 | 1 | self._storehouse.save_evc(self) |
|
247 | 1 | log.info(f'EVC {self.id} was synced to the storehouse.') |
|
248 | |||
249 | 1 | def update(self, **kwargs): |
|
250 | """Update evc attributes. |
||
251 | |||
252 | This method will raises an error trying to change the following |
||
253 | attributes: [name, uni_a and uni_z] |
||
254 | |||
255 | Returns: |
||
256 | the values for enable and a path attribute, if exists and None |
||
257 | otherwise |
||
258 | Raises: |
||
259 | ValueError: message with error detail. |
||
260 | |||
261 | """ |
||
262 | 1 | enable, path = (None, None) |
|
263 | 1 | for attribute, value in kwargs.items(): |
|
264 | 1 | if attribute in self.unique_attributes: |
|
265 | 1 | raise ValueError(f'{attribute} can\'t be be updated.') |
|
266 | 1 | if hasattr(self, attribute): |
|
267 | 1 | if attribute in ('enable', 'enabled'): |
|
268 | 1 | if value: |
|
269 | 1 | self.enable() |
|
270 | else: |
||
271 | 1 | self.disable() |
|
272 | 1 | enable = value |
|
273 | 1 | elif attribute in ('active', 'activate'): |
|
274 | if value: |
||
275 | self.activate() |
||
276 | else: |
||
277 | self.deactivate() |
||
278 | else: |
||
279 | 1 | setattr(self, attribute, value) |
|
280 | 1 | if 'path' in attribute: |
|
281 | 1 | path = value |
|
282 | else: |
||
283 | raise ValueError(f'The attribute "{attribute}" is invalid.') |
||
284 | 1 | self.sync() |
|
285 | 1 | return enable, path |
|
286 | |||
287 | 1 | def __repr__(self): |
|
288 | """Repr method.""" |
||
289 | 1 | return f"EVC({self._id}, {self.name})" |
|
290 | |||
291 | 1 | def _validate(self, **kwargs): |
|
292 | """Do Basic validations. |
||
293 | |||
294 | Verify required attributes: name, uni_a, uni_z |
||
295 | Verify if the attributes uni_a and uni_z are valid. |
||
296 | |||
297 | Raises: |
||
298 | ValueError: message with error detail. |
||
299 | |||
300 | """ |
||
301 | 1 | for attribute in self.unique_attributes: |
|
302 | |||
303 | 1 | if attribute not in kwargs: |
|
304 | 1 | raise ValueError(f'{attribute} is required.') |
|
305 | |||
306 | 1 | if 'uni' in attribute: |
|
307 | 1 | uni = kwargs.get(attribute) |
|
308 | 1 | if not isinstance(uni, UNI): |
|
309 | raise ValueError(f'{attribute} is an invalid UNI.') |
||
310 | |||
311 | 1 | if not uni.is_valid(): |
|
312 | 1 | tag = uni.user_tag.value |
|
313 | 1 | message = f'VLAN tag {tag} is not available in {attribute}' |
|
314 | 1 | raise ValueError(message) |
|
315 | |||
316 | 1 | def __eq__(self, other): |
|
317 | """Override the default implementation.""" |
||
318 | 1 | if not isinstance(other, EVC): |
|
319 | return False |
||
320 | |||
321 | 1 | attrs_to_compare = ['name', 'uni_a', 'uni_z', 'owner', 'bandwidth'] |
|
322 | 1 | for attribute in attrs_to_compare: |
|
323 | 1 | if getattr(other, attribute) != getattr(self, attribute): |
|
324 | 1 | return False |
|
325 | 1 | return True |
|
326 | |||
327 | 1 | def shares_uni(self, other): |
|
328 | """Check if two EVCs share an UNI.""" |
||
329 | 1 | if other.uni_a in (self.uni_a, self.uni_z) or \ |
|
330 | other.uni_z in (self.uni_a, self.uni_z): |
||
331 | 1 | return True |
|
332 | return False |
||
333 | |||
334 | 1 | def as_dict(self): |
|
335 | """Return a dictionary representing an EVC object.""" |
||
336 | 1 | evc_dict = {"id": self.id, "name": self.name, |
|
337 | "uni_a": self.uni_a.as_dict(), |
||
338 | "uni_z": self.uni_z.as_dict()} |
||
339 | |||
340 | 1 | time_fmt = "%Y-%m-%dT%H:%M:%S" |
|
341 | |||
342 | 1 | evc_dict["start_date"] = self.start_date |
|
343 | 1 | if isinstance(self.start_date, datetime): |
|
344 | 1 | evc_dict["start_date"] = self.start_date.strftime(time_fmt) |
|
345 | |||
346 | 1 | evc_dict["end_date"] = self.end_date |
|
347 | 1 | if isinstance(self.end_date, datetime): |
|
348 | 1 | evc_dict["end_date"] = self.end_date.strftime(time_fmt) |
|
349 | |||
350 | 1 | evc_dict['queue_id'] = self.queue_id |
|
351 | 1 | evc_dict['bandwidth'] = self.bandwidth |
|
352 | 1 | evc_dict['primary_links'] = self.primary_links.as_dict() |
|
353 | 1 | evc_dict['backup_links'] = self.backup_links.as_dict() |
|
354 | 1 | evc_dict['current_path'] = self.current_path.as_dict() |
|
355 | 1 | evc_dict['primary_path'] = self.primary_path.as_dict() |
|
356 | 1 | evc_dict['backup_path'] = self.backup_path.as_dict() |
|
357 | 1 | evc_dict['dynamic_backup_path'] = self.dynamic_backup_path |
|
358 | |||
359 | # if self._requested: |
||
360 | # request_dict = self._requested.copy() |
||
361 | # request_dict['uni_a'] = request_dict['uni_a'].as_dict() |
||
362 | # request_dict['uni_z'] = request_dict['uni_z'].as_dict() |
||
363 | # request_dict['circuit_scheduler'] = self.circuit_scheduler |
||
364 | # evc_dict['_requested'] = request_dict |
||
365 | |||
366 | 1 | evc_dict["request_time"] = self.request_time |
|
367 | 1 | if isinstance(self.request_time, datetime): |
|
368 | 1 | evc_dict["request_time"] = self.request_time.strftime(time_fmt) |
|
369 | |||
370 | 1 | time = self.creation_time.strftime(time_fmt) |
|
371 | 1 | evc_dict['creation_time'] = time |
|
372 | |||
373 | 1 | evc_dict['owner'] = self.owner |
|
374 | 1 | evc_dict['circuit_scheduler'] = [sc.as_dict() |
|
375 | for sc in self.circuit_scheduler] |
||
376 | |||
377 | 1 | evc_dict['active'] = self.is_active() |
|
378 | 1 | evc_dict['enabled'] = self.is_enabled() |
|
379 | 1 | evc_dict['archived'] = self.archived |
|
380 | 1 | evc_dict['priority'] = self.priority |
|
381 | |||
382 | 1 | return evc_dict |
|
383 | |||
384 | 1 | @property |
|
385 | def id(self): # pylint: disable=invalid-name |
||
386 | """Return this EVC's ID.""" |
||
387 | 1 | return self._id |
|
388 | |||
389 | 1 | def archive(self): |
|
390 | """Archive this EVC on deletion.""" |
||
391 | 1 | self.archived = True |
|
392 | |||
393 | |||
394 | # pylint: disable=fixme, too-many-public-methods |
||
395 | 1 | class EVCDeploy(EVCBase): |
|
396 | """Class to handle the deploy procedures.""" |
||
397 | |||
398 | 1 | def create(self): |
|
399 | """Create a EVC.""" |
||
400 | |||
401 | 1 | def discover_new_paths(self): |
|
402 | """Discover new paths to satisfy this circuit and deploy it.""" |
||
403 | return DynamicPathManager.get_best_paths(self) |
||
404 | |||
405 | 1 | def change_path(self): |
|
406 | """Change EVC path.""" |
||
407 | |||
408 | 1 | def reprovision(self): |
|
409 | """Force the EVC (re-)provisioning.""" |
||
410 | |||
411 | 1 | def is_affected_by_link(self, link): |
|
412 | """Return True if this EVC has the given link on its current path.""" |
||
413 | return link in self.current_path |
||
414 | |||
415 | 1 | def link_affected_by_interface(self, interface): |
|
416 | """Return True if this EVC has the given link on its current path.""" |
||
417 | return self.current_path.link_affected_by_interface(interface) |
||
418 | |||
419 | 1 | def is_backup_path_affected_by_link(self, link): |
|
420 | """Return True if the backup path of this EVC uses the given link.""" |
||
421 | return link in self.backup_path |
||
422 | |||
423 | # pylint: disable=invalid-name |
||
424 | 1 | def is_primary_path_affected_by_link(self, link): |
|
425 | """Return True if the primary path of this EVC uses the given link.""" |
||
426 | return link in self.primary_path |
||
427 | |||
428 | 1 | def is_using_primary_path(self): |
|
429 | """Verify if the current deployed path is self.primary_path.""" |
||
430 | return self.primary_path and (self.current_path == self.primary_path) |
||
431 | |||
432 | 1 | def is_using_backup_path(self): |
|
433 | """Verify if the current deployed path is self.backup_path.""" |
||
434 | return self.backup_path and (self.current_path == self.backup_path) |
||
435 | |||
436 | 1 | def is_using_dynamic_path(self): |
|
437 | """Verify if the current deployed path is a dynamic path.""" |
||
438 | if self.current_path and \ |
||
439 | not self.is_using_primary_path() and \ |
||
440 | not self.is_using_backup_path() and \ |
||
441 | self.current_path.status == EntityStatus.UP: |
||
442 | return True |
||
443 | return False |
||
444 | |||
445 | 1 | def deploy_to_backup_path(self): |
|
446 | """Deploy the backup path into the datapaths of this circuit. |
||
447 | |||
448 | If the backup_path attribute is valid and up, this method will try to |
||
449 | deploy this backup_path. |
||
450 | |||
451 | If everything fails and dynamic_backup_path is True, then tries to |
||
452 | deploy a dynamic path. |
||
453 | """ |
||
454 | # TODO: Remove flows from current (cookies) |
||
455 | 1 | if self.is_using_backup_path(): |
|
456 | # TODO: Log to say that cannot move backup to backup |
||
457 | return True |
||
458 | |||
459 | 1 | success = False |
|
460 | 1 | if self.backup_path.status is EntityStatus.UP: |
|
461 | 1 | success = self.deploy_to_path(self.backup_path) |
|
462 | |||
463 | 1 | if success: |
|
464 | 1 | return True |
|
465 | |||
466 | 1 | if self.dynamic_backup_path or \ |
|
467 | self.uni_a.interface.switch == self.uni_z.interface.switch: |
||
468 | 1 | return self.deploy_to_path() |
|
469 | |||
470 | 1 | return False |
|
471 | |||
472 | 1 | def deploy_to_primary_path(self): |
|
473 | """Deploy the primary path into the datapaths of this circuit. |
||
474 | |||
475 | If the primary_path attribute is valid and up, this method will try to |
||
476 | deploy this primary_path. |
||
477 | """ |
||
478 | # TODO: Remove flows from current (cookies) |
||
479 | 1 | if self.is_using_primary_path(): |
|
480 | # TODO: Log to say that cannot move primary to primary |
||
481 | return True |
||
482 | |||
483 | 1 | if self.primary_path.status is EntityStatus.UP: |
|
484 | 1 | return self.deploy_to_path(self.primary_path) |
|
485 | 1 | return False |
|
486 | |||
487 | 1 | def deploy(self): |
|
488 | """Deploy EVC to best path. |
||
489 | |||
490 | Best path can be the primary path, if available. If not, the backup |
||
491 | path, and, if it is also not available, a dynamic path. |
||
492 | """ |
||
493 | 1 | if self.archived: |
|
494 | return False |
||
495 | 1 | self.enable() |
|
496 | 1 | success = self.deploy_to_primary_path() |
|
497 | 1 | if not success: |
|
498 | 1 | success = self.deploy_to_backup_path() |
|
499 | |||
500 | 1 | return success |
|
501 | |||
502 | 1 | @staticmethod |
|
503 | def get_path_status(path): |
||
504 | """Check for the current status of a path. |
||
505 | |||
506 | If any link in this path is down, the path is considered down. |
||
507 | """ |
||
508 | if not path: |
||
509 | return EntityStatus.DISABLED |
||
510 | |||
511 | for link in path: |
||
512 | if link.status is not EntityStatus.UP: |
||
513 | return link.status |
||
514 | return EntityStatus.UP |
||
515 | |||
516 | # def discover_new_path(self): |
||
517 | # # TODO: discover a new path to satisfy this circuit and deploy |
||
518 | |||
519 | 1 | def remove(self): |
|
520 | """Remove EVC path and disable it.""" |
||
521 | 1 | self.remove_current_flows() |
|
522 | 1 | self.disable() |
|
523 | 1 | self.sync() |
|
524 | |||
525 | 1 | def remove_current_flows(self): |
|
526 | """Remove all flows from current path.""" |
||
527 | 1 | switches = set() |
|
528 | |||
529 | 1 | switches.add(self.uni_a.interface.switch) |
|
530 | 1 | switches.add(self.uni_z.interface.switch) |
|
531 | 1 | for link in self.current_path: |
|
532 | 1 | switches.add(link.endpoint_a.switch) |
|
533 | 1 | switches.add(link.endpoint_b.switch) |
|
534 | |||
535 | 1 | match = {'cookie': self.get_cookie(), |
|
536 | 'cookie_mask': 18446744073709551615} |
||
537 | |||
538 | 1 | for switch in switches: |
|
539 | 1 | self._send_flow_mods(switch, [match], 'delete') |
|
540 | |||
541 | 1 | self.current_path.make_vlans_available() |
|
542 | 1 | self.current_path = Path([]) |
|
543 | 1 | self.deactivate() |
|
544 | 1 | self.sync() |
|
545 | |||
546 | 1 | @staticmethod |
|
547 | 1 | def links_zipped(path=None): |
|
548 | """Return an iterator which yields pairs of links in order.""" |
||
549 | 1 | if not path: |
|
550 | return [] |
||
551 | 1 | return zip(path[:-1], path[1:]) |
|
552 | |||
553 | 1 | def should_deploy(self, path=None): |
|
554 | """Verify if the circuit should be deployed.""" |
||
555 | 1 | if not path: |
|
556 | 1 | log.debug("Path is empty.") |
|
557 | 1 | return False |
|
558 | |||
559 | 1 | if not self.is_enabled(): |
|
560 | 1 | log.debug(f'{self} is disabled.') |
|
561 | 1 | return False |
|
562 | |||
563 | 1 | if not self.is_active(): |
|
564 | 1 | log.debug(f'{self} will be deployed.') |
|
565 | 1 | return True |
|
566 | |||
567 | 1 | return False |
|
568 | |||
569 | 1 | def deploy_to_path(self, path=None): |
|
570 | """Install the flows for this circuit. |
||
571 | |||
572 | Procedures to deploy: |
||
573 | |||
574 | 0. Remove current flows installed |
||
575 | 1. Decide if will deploy "path" or discover a new path |
||
576 | 2. Choose vlan |
||
577 | 3. Install NNI flows |
||
578 | 4. Install UNI flows |
||
579 | 5. Activate |
||
580 | 6. Update current_path |
||
581 | 7. Update links caches(primary, current, backup) |
||
582 | |||
583 | """ |
||
584 | 1 | self.remove_current_flows() |
|
585 | 1 | use_path = path |
|
586 | 1 | if self.should_deploy(use_path): |
|
587 | 1 | try: |
|
588 | 1 | use_path.choose_vlans() |
|
589 | except KytosNoTagAvailableError: |
||
590 | use_path = None |
||
591 | else: |
||
592 | 1 | for use_path in self.discover_new_paths(): |
|
593 | 1 | if use_path is None: |
|
594 | continue |
||
595 | 1 | try: |
|
596 | 1 | use_path.choose_vlans() |
|
597 | 1 | break |
|
598 | except KytosNoTagAvailableError: |
||
599 | pass |
||
600 | else: |
||
601 | 1 | use_path = None |
|
602 | |||
603 | 1 | if use_path: |
|
604 | 1 | self._install_nni_flows(use_path) |
|
605 | 1 | self._install_uni_flows(use_path) |
|
606 | 1 | elif self.uni_a.interface.switch == self.uni_z.interface.switch: |
|
607 | self._install_direct_uni_flows() |
||
608 | use_path = Path() |
||
609 | else: |
||
610 | 1 | log.warn(f"{self} was not deployed. No available path was found.") |
|
611 | 1 | return False |
|
612 | 1 | self.activate() |
|
613 | 1 | self.current_path = use_path |
|
614 | 1 | self.sync() |
|
615 | 1 | log.info(f"{self} was deployed.") |
|
616 | 1 | return True |
|
617 | |||
618 | 1 | def _install_direct_uni_flows(self): |
|
619 | """Install flows connecting two UNIs. |
||
620 | |||
621 | This case happens when the circuit is between UNIs in the |
||
622 | same switch. |
||
623 | """ |
||
624 | vlan_a = self.uni_a.user_tag.value if self.uni_a.user_tag else None |
||
625 | vlan_z = self.uni_z.user_tag.value if self.uni_z.user_tag else None |
||
626 | |||
627 | flow_mod_az = self._prepare_flow_mod(self.uni_a.interface, |
||
628 | self.uni_z.interface, |
||
629 | self.queue_id) |
||
630 | flow_mod_za = self._prepare_flow_mod(self.uni_z.interface, |
||
631 | self.uni_a.interface, |
||
632 | self.queue_id) |
||
633 | |||
634 | if vlan_a and vlan_z: |
||
635 | flow_mod_az['match']['dl_vlan'] = vlan_a |
||
636 | flow_mod_za['match']['dl_vlan'] = vlan_z |
||
637 | flow_mod_az['actions'].insert(0, {'action_type': 'set_vlan', |
||
638 | 'vlan_id': vlan_z}) |
||
639 | flow_mod_za['actions'].insert(0, {'action_type': 'set_vlan', |
||
640 | 'vlan_id': vlan_a}) |
||
641 | elif vlan_a: |
||
642 | flow_mod_az['match']['dl_vlan'] = vlan_a |
||
643 | flow_mod_az['actions'].insert(0, {'action_type': 'pop_vlan'}) |
||
644 | flow_mod_za['actions'].insert(0, {'action_type': 'set_vlan', |
||
645 | 'vlan_id': vlan_a}) |
||
646 | elif vlan_z: |
||
647 | flow_mod_za['match']['dl_vlan'] = vlan_z |
||
648 | flow_mod_za['actions'].insert(0, {'action_type': 'pop_vlan'}) |
||
649 | flow_mod_az['actions'].insert(0, {'action_type': 'set_vlan', |
||
650 | 'vlan_id': vlan_z}) |
||
651 | self._send_flow_mods(self.uni_a.interface.switch, |
||
652 | [flow_mod_az, flow_mod_za]) |
||
653 | |||
654 | 1 | def _install_nni_flows(self, path=None): |
|
655 | """Install NNI flows.""" |
||
656 | 1 | for incoming, outcoming in self.links_zipped(path): |
|
657 | 1 | in_vlan = incoming.get_metadata('s_vlan').value |
|
658 | 1 | out_vlan = outcoming.get_metadata('s_vlan').value |
|
659 | |||
660 | 1 | flows = [] |
|
661 | # Flow for one direction |
||
662 | 1 | flows.append(self._prepare_nni_flow(incoming.endpoint_b, |
|
663 | outcoming.endpoint_a, |
||
664 | in_vlan, out_vlan, |
||
665 | queue_id=self.queue_id)) |
||
666 | |||
667 | # Flow for the other direction |
||
668 | 1 | flows.append(self._prepare_nni_flow(outcoming.endpoint_a, |
|
669 | incoming.endpoint_b, |
||
670 | out_vlan, in_vlan, |
||
671 | queue_id=self.queue_id)) |
||
672 | 1 | self._send_flow_mods(incoming.endpoint_b.switch, flows) |
|
673 | |||
674 | 1 | def _install_uni_flows(self, path=None): |
|
675 | """Install UNI flows.""" |
||
676 | 1 | if not path: |
|
677 | log.info('install uni flows without path.') |
||
678 | return |
||
679 | |||
680 | # Determine VLANs |
||
681 | 1 | in_vlan_a = self.uni_a.user_tag.value if self.uni_a.user_tag else None |
|
682 | 1 | out_vlan_a = path[0].get_metadata('s_vlan').value |
|
683 | |||
684 | 1 | in_vlan_z = self.uni_z.user_tag.value if self.uni_z.user_tag else None |
|
685 | 1 | out_vlan_z = path[-1].get_metadata('s_vlan').value |
|
686 | |||
687 | # Flows for the first UNI |
||
688 | 1 | flows_a = [] |
|
689 | |||
690 | # Flow for one direction, pushing the service tag |
||
691 | 1 | push_flow = self._prepare_push_flow(self.uni_a.interface, |
|
692 | path[0].endpoint_a, |
||
693 | in_vlan_a, out_vlan_a, |
||
694 | queue_id=self.queue_id) |
||
695 | 1 | flows_a.append(push_flow) |
|
696 | |||
697 | # Flow for the other direction, popping the service tag |
||
698 | 1 | pop_flow = self._prepare_pop_flow(path[0].endpoint_a, |
|
699 | self.uni_a.interface, |
||
700 | in_vlan_a, out_vlan_a, |
||
701 | queue_id=self.queue_id) |
||
702 | 1 | flows_a.append(pop_flow) |
|
703 | |||
704 | 1 | self._send_flow_mods(self.uni_a.interface.switch, flows_a) |
|
705 | |||
706 | # Flows for the second UNI |
||
707 | 1 | flows_z = [] |
|
708 | |||
709 | # Flow for one direction, pushing the service tag |
||
710 | 1 | push_flow = self._prepare_push_flow(self.uni_z.interface, |
|
711 | path[-1].endpoint_b, |
||
712 | in_vlan_z, out_vlan_z, |
||
713 | queue_id=self.queue_id) |
||
714 | 1 | flows_z.append(push_flow) |
|
715 | |||
716 | # Flow for the other direction, popping the service tag |
||
717 | 1 | pop_flow = self._prepare_pop_flow(path[-1].endpoint_b, |
|
718 | self.uni_z.interface, |
||
719 | in_vlan_z, out_vlan_z, |
||
720 | queue_id=self.queue_id) |
||
721 | 1 | flows_z.append(pop_flow) |
|
722 | |||
723 | 1 | self._send_flow_mods(self.uni_z.interface.switch, flows_z) |
|
724 | |||
725 | 1 | @staticmethod |
|
726 | 1 | def _send_flow_mods(switch, flow_mods, command='flows'): |
|
727 | """Send a flow_mod list to a specific switch. |
||
728 | |||
729 | Args: |
||
730 | switch(Switch): The target of flows. |
||
731 | flow_mods(dict): Python dictionary with flow_mods. |
||
732 | command(str): By default is 'flows'. To remove a flow is 'remove'. |
||
733 | |||
734 | """ |
||
735 | 1 | endpoint = f'{settings.MANAGER_URL}/{command}/{switch.id}' |
|
736 | |||
737 | 1 | data = {"flows": flow_mods} |
|
738 | 1 | requests.post(endpoint, json=data) |
|
739 | |||
740 | 1 | def get_cookie(self): |
|
741 | """Return the cookie integer from evc id.""" |
||
742 | 1 | return int(self.id, 16) + (settings.COOKIE_PREFIX << 56) |
|
743 | |||
744 | 1 | def _prepare_flow_mod(self, in_interface, out_interface, queue_id=None): |
|
745 | """Prepare a common flow mod.""" |
||
746 | 1 | default_actions = [{"action_type": "output", |
|
747 | "port": out_interface.port_number}] |
||
748 | 1 | if queue_id: |
|
749 | default_actions.append( |
||
750 | {"action_type": "set_queue", "queue_id": queue_id} |
||
751 | ) |
||
752 | |||
753 | 1 | flow_mod = {"match": {"in_port": in_interface.port_number}, |
|
754 | "cookie": self.get_cookie(), |
||
755 | "actions": default_actions} |
||
756 | |||
757 | 1 | return flow_mod |
|
758 | |||
759 | 1 | def _prepare_nni_flow(self, *args, queue_id=None): |
|
760 | """Create NNI flows.""" |
||
761 | 1 | in_interface, out_interface, in_vlan, out_vlan = args |
|
762 | 1 | flow_mod = self._prepare_flow_mod(in_interface, out_interface, |
|
763 | queue_id) |
||
764 | 1 | flow_mod['match']['dl_vlan'] = in_vlan |
|
765 | |||
766 | 1 | new_action = {"action_type": "set_vlan", |
|
767 | "vlan_id": out_vlan} |
||
768 | 1 | flow_mod["actions"].insert(0, new_action) |
|
769 | |||
770 | 1 | return flow_mod |
|
771 | |||
772 | 1 | View Code Duplication | def _prepare_push_flow(self, *args, queue_id=None): |
|
|||
773 | """Prepare push flow. |
||
774 | |||
775 | Arguments: |
||
776 | in_interface(str): Interface input. |
||
777 | out_interface(str): Interface output. |
||
778 | in_vlan(str): Vlan input. |
||
779 | out_vlan(str): Vlan output. |
||
780 | |||
781 | Return: |
||
782 | dict: An python dictionary representing a FlowMod |
||
783 | |||
784 | """ |
||
785 | # assign all arguments |
||
786 | 1 | in_interface, out_interface, in_vlan, out_vlan = args |
|
787 | |||
788 | 1 | flow_mod = self._prepare_flow_mod(in_interface, out_interface, |
|
789 | queue_id) |
||
790 | |||
791 | # the service tag must be always pushed |
||
792 | 1 | new_action = {"action_type": "set_vlan", "vlan_id": out_vlan} |
|
793 | 1 | flow_mod["actions"].insert(0, new_action) |
|
794 | |||
795 | 1 | new_action = {"action_type": "push_vlan", "tag_type": "s"} |
|
796 | 1 | flow_mod["actions"].insert(0, new_action) |
|
797 | |||
798 | 1 | if in_vlan: |
|
799 | # if in_vlan is set, it must be included in the match |
||
800 | 1 | flow_mod['match']['dl_vlan'] = in_vlan |
|
801 | 1 | new_action = {"action_type": "pop_vlan"} |
|
802 | 1 | flow_mod["actions"].insert(0, new_action) |
|
803 | 1 | return flow_mod |
|
804 | |||
805 | 1 | View Code Duplication | def _prepare_pop_flow(self, in_interface, out_interface, in_vlan, |
806 | out_vlan, queue_id=None): |
||
807 | # pylint: disable=too-many-arguments |
||
808 | """Prepare pop flow.""" |
||
809 | 1 | flow_mod = self._prepare_flow_mod(in_interface, out_interface, |
|
810 | queue_id) |
||
811 | 1 | flow_mod['match']['dl_vlan'] = out_vlan |
|
812 | 1 | if in_vlan: |
|
813 | 1 | new_action = {'action_type': 'set_vlan', 'vlan_id': in_vlan} |
|
814 | 1 | flow_mod['actions'].insert(0, new_action) |
|
815 | 1 | new_action = {'action_type': 'push_vlan', 'tag_type': 'c'} |
|
816 | 1 | flow_mod['actions'].insert(0, new_action) |
|
817 | 1 | new_action = {"action_type": "pop_vlan"} |
|
818 | 1 | flow_mod["actions"].insert(0, new_action) |
|
819 | 1 | return flow_mod |
|
820 | |||
821 | |||
822 | 1 | class LinkProtection(EVCDeploy): |
|
823 | """Class to handle link protection.""" |
||
824 | |||
825 | 1 | def is_affected_by_link(self, link=None): |
|
826 | """Verify if the current path is affected by link down event.""" |
||
827 | return self.current_path.is_affected_by_link(link) |
||
828 | |||
829 | 1 | def is_using_primary_path(self): |
|
830 | """Verify if the current deployed path is self.primary_path.""" |
||
831 | 1 | return self.current_path == self.primary_path |
|
832 | |||
833 | 1 | def is_using_backup_path(self): |
|
834 | """Verify if the current deployed path is self.backup_path.""" |
||
835 | 1 | return self.current_path == self.backup_path |
|
836 | |||
837 | 1 | def is_using_dynamic_path(self): |
|
838 | """Verify if the current deployed path is dynamic.""" |
||
839 | 1 | if self.current_path and \ |
|
840 | not self.is_using_primary_path() and \ |
||
841 | not self.is_using_backup_path() and \ |
||
842 | self.current_path.status is EntityStatus.UP: |
||
843 | return True |
||
844 | 1 | return False |
|
845 | |||
846 | 1 | def deploy_to(self, path_name=None, path=None): |
|
847 | """Create a deploy to path.""" |
||
848 | 1 | if self.current_path == path: |
|
849 | 1 | log.debug(f'{path_name} is equal to current_path.') |
|
850 | 1 | return True |
|
851 | |||
852 | 1 | if path.status is EntityStatus.UP: |
|
853 | 1 | return self.deploy_to_path(path) |
|
854 | |||
855 | 1 | return False |
|
856 | |||
857 | 1 | def handle_link_up(self, link): |
|
858 | """Handle circuit when link down. |
||
859 | |||
860 | Args: |
||
861 | link(Link): Link affected by link.down event. |
||
862 | |||
863 | """ |
||
864 | 1 | if self.is_using_primary_path(): |
|
865 | 1 | return True |
|
866 | |||
867 | 1 | success = False |
|
868 | 1 | if self.primary_path.is_affected_by_link(link): |
|
869 | 1 | success = self.deploy_to_primary_path() |
|
870 | |||
871 | 1 | if success: |
|
872 | 1 | return True |
|
873 | |||
874 | # We tried to deploy(primary_path) without success. |
||
875 | # And in this case is up by some how. Nothing to do. |
||
876 | 1 | if self.is_using_backup_path() or self.is_using_dynamic_path(): |
|
877 | return True |
||
878 | |||
879 | # In this case, probably the circuit is not being used and |
||
880 | # we can move to backup |
||
881 | 1 | if self.backup_path.is_affected_by_link(link): |
|
882 | 1 | success = self.deploy_to_backup_path() |
|
883 | |||
884 | 1 | if success: |
|
885 | 1 | return True |
|
886 | |||
887 | # In this case, the circuit is not being used and we should |
||
888 | # try a dynamic path |
||
889 | if self.dynamic_backup_path: |
||
890 | return self.deploy_to_path() |
||
891 | |||
892 | return True |
||
893 | |||
894 | 1 | def handle_link_down(self): |
|
895 | """Handle circuit when link down. |
||
896 | |||
897 | Returns: |
||
898 | bool: True if the re-deploy was successly otherwise False. |
||
899 | |||
900 | """ |
||
901 | 1 | success = False |
|
902 | 1 | if self.is_using_primary_path(): |
|
903 | 1 | success = self.deploy_to_backup_path() |
|
904 | 1 | elif self.is_using_backup_path(): |
|
905 | 1 | success = self.deploy_to_primary_path() |
|
906 | |||
907 | 1 | if not success and self.dynamic_backup_path: |
|
908 | 1 | success = self.deploy_to_path() |
|
909 | |||
910 | 1 | if success: |
|
911 | 1 | log.debug(f"{self} deployed after link down.") |
|
912 | else: |
||
913 | 1 | self.deactivate() |
|
914 | 1 | self.current_path = Path([]) |
|
915 | 1 | self.sync() |
|
916 | 1 | log.debug(f'Failed to re-deploy {self} after link down.') |
|
917 | |||
918 | 1 | return success |
|
919 | |||
920 | |||
921 | 1 | class EVC(LinkProtection): |
|
922 | """Class that represents a E-Line Virtual Connection.""" |
||
923 |