blob: 6ae9836f98c9f90a0638db6d7578f793acc88498 [file] [log] [blame]
gcalvino56225112018-04-16 09:24:24 +02001#!/usr/bin/env python2
2# -*- coding: utf-8 -*-
3
4##
5# All Rights Reserved.
6#
7# Licensed under the Apache License, Version 2.0 (the "License"); you may
8# not use this file except in compliance with the License. You may obtain
9# a copy of the License at
10#
11# http://www.apache.org/licenses/LICENSE-2.0
12#
13# Unless required by applicable law or agreed to in writing, software
14# distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
15# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
16# License for the specific language governing permissions and limitations
17# under the License.
18#
19##
20from __future__ import print_function
21import json
22import yaml
23import sys
24import getopt
25
26"""
27Tests the format of OSM VNFD and NSD descriptors
28"""
29__author__ = "Alfonso Tierno, Guillermo Calvino"
30__date__ = "2018-04-16"
31__version__ = "0.0.1"
32version_date = "Apr 2018"
33
34
35class ArgumentParserError(Exception):
36 pass
37
38
39def usage():
40 print("Usage: {} [options] FILE".format(sys.argv[0]))
gcalvino4f7def42018-11-28 16:27:20 +010041 print(" Validates vnfd, nsd and nst descriptors format")
42 print(" FILE: a yaml or json vnfd-catalog, nsd-catalog or nst descriptor")
gcalvino56225112018-04-16 09:24:24 +020043 print(" OPTIONS:")
44 print(" -v|--version: prints current version")
45 print(" -h|--help: shows this help")
46 print(" -i|--input FILE: (same as param FILE) descriptor file to be upgraded")
47 return
48
gcalvinoeb0de082018-06-15 09:51:34 +020049def remove_prefix(desc, prefix):
50 """
51 Recursively removes prefix from keys
52 :param desc: dictionary or list to change
53 :param prefix: prefix to remove. Must
54 :return: None, param desc is changed
55 """
56 prefix_len = len(prefix)
57 if isinstance(desc, dict):
58 prefixed_list=[]
59 for k,v in desc.items():
60 if isinstance(v, (list, tuple, dict)):
61 remove_prefix(v, prefix)
62 if isinstance(k, str) and k.startswith(prefix) and k != prefix:
63 prefixed_list.append(k)
64 for k in prefixed_list:
65 desc[k[prefix_len:]] = desc.pop(k)
66 elif isinstance(desc, (list, tuple)):
67 for i in desc:
68 if isinstance(desc, (list, tuple, dict)):
69 remove_prefix(i, prefix)
70
gcalvino56225112018-04-16 09:24:24 +020071if __name__=="__main__":
72 error_position = []
73 format_output_yaml = True
74 input_file_name = None
75 test_file = None
76 file_name = None
77 try:
78 # load parameters and configuration
79 opts, args = getopt.getopt(sys.argv[1:], "hvi:o:", ["input=", "help", "version",])
80
81 for o, a in opts:
82 if o in ("-v", "--version"):
83 print ("test descriptor version THREE " + __version__ + ' ' + version_date)
84 sys.exit()
85 elif o in ("-h", "--help"):
86 usage()
87 sys.exit()
88 elif o in ("-i", "--input"):
89 input_file_name = a
90 else:
91 assert False, "Unhandled option"
92 if not input_file_name:
93 if not args:
94 raise ArgumentParserError("missing DESCRIPTOR_FILE parameter. Type --help for more info")
95 input_file_name = args[0]
96
97 # Open files
98 file_name = input_file_name
99 with open(file_name, 'r') as f:
100 descriptor_str = f.read()
101 file_name = None
102
103 if input_file_name.endswith('.yaml') or input_file_name.endswith('.yml') or not \
104 (input_file_name.endswith('.json') or '\t' in descriptor_str):
105 data = yaml.load(descriptor_str)
106 else: # json
107 data = json.loads(descriptor_str)
108 format_output_yaml = False
109
110 import osm_im.vnfd as vnfd_catalog
111 import osm_im.nsd as nsd_catalog
gcalvino4f7def42018-11-28 16:27:20 +0100112 import osm_im.nst as nst_catalog
gcalvino56225112018-04-16 09:24:24 +0200113 from pyangbind.lib.serialise import pybindJSONDecoder
114
115 if "vnfd:vnfd-catalog" in data or "vnfd-catalog" in data:
116 descriptor = "VNF"
gcalvinoeb0de082018-06-15 09:51:34 +0200117 # Check if mgmt-interface is defined:
118 remove_prefix(data, "vnfd:")
119 vnfd_descriptor = data["vnfd-catalog"]
120 vnfd_list = vnfd_descriptor["vnfd"]
121 mgmt_iface = False
122 for vnfd in vnfd_list:
gcalvino8bc90dc2018-06-27 11:02:43 +0200123 vdu_list = vnfd["vdu"]
124 for vdu in vdu_list:
125 interface_list = []
126 external_interface_list = vdu.pop("external-interface", ())
127 for external_interface in external_interface_list:
128 if external_interface.get("virtual-interface", {}).get("type") == "OM-MGMT":
129 raise KeyError(
garciadeblasc54f48a2018-11-06 12:37:28 +0100130 "Wrong 'Virtual-interface type': Deprecated 'OM-MGMT' value. Please, use 'PARAVIRT' instead")
tiernoc2e23712018-11-20 15:55:00 +0000131 interface_list = vdu.get("interface", ())
gcalvino8bc90dc2018-06-27 11:02:43 +0200132 for interface in interface_list:
133 if interface.get("virtual-interface", {}).get("type") == "OM-MGMT":
134 raise KeyError(
garciadeblasc54f48a2018-11-06 12:37:28 +0100135 "Wrong 'Virtual-interface type': Deprecated 'OM-MGMT' value. Please, use 'PARAVIRT' instead")
gcalvinoeb0de082018-06-15 09:51:34 +0200136 if vnfd.get("mgmt-interface"):
137 mgmt_iface = True
gcalvino8bc90dc2018-06-27 11:02:43 +0200138 if vnfd["mgmt-interface"].get("vdu-id"):
139 raise KeyError("'mgmt-iface': Deprecated 'vdu-id' field. Please, use 'cp' field instead")
gcalvinoeb0de082018-06-15 09:51:34 +0200140 if not mgmt_iface:
141 raise KeyError("'mgmt-iface' is a mandatory field and it is not defined")
gcalvino56225112018-04-16 09:24:24 +0200142 myvnfd = vnfd_catalog.vnfd()
143 pybindJSONDecoder.load_ietf_json(data, None, None, obj=myvnfd)
144 elif "nsd:nsd-catalog" in data or "nsd-catalog" in data:
145 descriptor = "NS"
146 mynsd = nsd_catalog.nsd()
147 pybindJSONDecoder.load_ietf_json(data, None, None, obj=mynsd)
gcalvino4f7def42018-11-28 16:27:20 +0100148 elif "nst:nst" in data or "nst" in data:
149 descriptor = "NST"
150 mynst = nst_catalog.nst()
151 pybindJSONDecoder.load_ietf_json(data, None, None, obj=mynst)
gcalvino56225112018-04-16 09:24:24 +0200152 else:
153 descriptor = None
154 raise KeyError("This is not neither nsd-catalog nor vnfd-catalog descriptor")
155 exit(0)
156
157 except yaml.YAMLError as exc:
158 error_pos = ""
159 if hasattr(exc, 'problem_mark'):
160 mark = exc.problem_mark
161 error_pos = "at line:%s column:%s" % (mark.line + 1, mark.column + 1)
162 print("Error loading file '{}'. yaml format error {}".format(input_file_name, error_pos), file=sys.stderr)
163 except ArgumentParserError as e:
164 print(str(e), file=sys.stderr)
165 except IOError as e:
166 print("Error loading file '{}': {}".format(file_name, e), file=sys.stderr)
167 except ImportError as e:
168 print ("Package python-osm-im not installed: {}".format(e), file=sys.stderr)
169 except Exception as e:
170 if file_name:
171 print("Error loading file '{}': {}".format(file_name, str(e)), file=sys.stderr)
172 else:
173 if descriptor:
174 print("Error. Invalid {} descriptor format in '{}': {}".format(descriptor, input_file_name, str(e)), file=sys.stderr)
175 else:
176 print("Error. Invalid descriptor format in '{}': {}".format(input_file_name, str(e)), file=sys.stderr)
177 exit(1)