Merge "Set manila cephfs backend if ceph is deployed"
[apex-tripleo-heat-templates.git] / tools / yaml-validate.py
1 #!/usr/bin/env python
2 #    Licensed under the Apache License, Version 2.0 (the "License"); you may
3 #    not use this file except in compliance with the License. You may obtain
4 #    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, WITHOUT
10 #    WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
11 #    License for the specific language governing permissions and limitations
12 #    under the License.
13
14 import os
15 import sys
16 import traceback
17 import yaml
18
19
20 required_params = ['EndpointMap', 'ServiceNetMap', 'DefaultPasswords']
21
22 envs_containing_endpoint_map = ['tls-endpoints-public-dns.yaml',
23                                 'tls-endpoints-public-ip.yaml',
24                                 'tls-everywhere-endpoints-dns.yaml']
25 ENDPOINT_MAP_FILE = 'endpoint_map.yaml'
26
27 def exit_usage():
28     print('Usage %s <yaml file or directory>' % sys.argv[0])
29     sys.exit(1)
30
31
32 def get_base_endpoint_map(filename):
33     try:
34         tpl = yaml.load(open(filename).read())
35         return tpl['parameters']['EndpointMap']['default']
36     except Exception:
37         print(traceback.format_exc())
38     return None
39
40
41 def get_endpoint_map_from_env(filename):
42     try:
43         tpl = yaml.load(open(filename).read())
44         return {
45             'file': filename,
46             'map': tpl['parameter_defaults']['EndpointMap']
47         }
48     except Exception:
49         print(traceback.format_exc())
50     return None
51
52
53 def validate_endpoint_map(base_map, env_map):
54     return sorted(base_map.keys()) == sorted(env_map.keys())
55
56
57 def validate_mysql_connection(settings):
58     no_op = lambda *args: False
59     error_status = [0]
60
61     def mysql_protocol(items):
62         return items == ['EndpointMap', 'MysqlInternal', 'protocol']
63
64     def client_bind_address(item):
65         return 'bind_address' in item
66
67     def validate_mysql_uri(key, items):
68         # Only consider a connection if it targets mysql
69         if key.endswith('connection') and \
70            search(items, mysql_protocol, no_op):
71             # Assume the "bind_address" option is one of
72             # the token that made up the uri
73             if not search(items, client_bind_address, no_op):
74                 error_status[0] = 1
75         return False
76
77     def search(item, check_item, check_key):
78         if check_item(item):
79             return True
80         elif isinstance(item, list):
81             for i in item:
82                 if search(i, check_item, check_key):
83                     return True
84         elif isinstance(item, dict):
85             for k in item.keys():
86                 if check_key(k, item[k]):
87                     return True
88                 elif search(item[k], check_item, check_key):
89                     return True
90         return False
91
92     search(settings, no_op, validate_mysql_uri)
93     return error_status[0]
94
95
96 def validate_service(filename, tpl):
97     if 'outputs' in tpl and 'role_data' in tpl['outputs']:
98         if 'value' not in tpl['outputs']['role_data']:
99             print('ERROR: invalid role_data for filename: %s'
100                   % filename)
101             return 1
102         role_data = tpl['outputs']['role_data']['value']
103         if 'service_name' not in role_data:
104             print('ERROR: service_name is required in role_data for %s.'
105                   % filename)
106             return 1
107         # service_name must match the filename, but with an underscore
108         if (role_data['service_name'] !=
109                 os.path.basename(filename).split('.')[0].replace("-", "_")):
110             print('ERROR: service_name should match file name for service: %s.'
111                   % filename)
112             return 1
113         # if service connects to mysql, the uri should use option
114         # bind_address to avoid issues with VIP failover
115         if 'config_settings' in role_data and \
116            validate_mysql_connection(role_data['config_settings']):
117             print('ERROR: mysql connection uri should use option bind_address')
118             return 1
119     if 'parameters' in tpl:
120         for param in required_params:
121             if param not in tpl['parameters']:
122                 print('ERROR: parameter %s is required for %s.'
123                       % (param, filename))
124                 return 1
125     return 0
126
127
128 def validate(filename):
129     print('Validating %s' % filename)
130     retval = 0
131     try:
132         tpl = yaml.load(open(filename).read())
133
134         if (filename.startswith('./puppet/services/') and
135                 filename != './puppet/services/services.yaml'):
136             retval = validate_service(filename, tpl)
137
138     except Exception:
139         print(traceback.format_exc())
140         return 1
141     # yaml is OK, now walk the parameters and output a warning for unused ones
142     if 'heat_template_version' in tpl:
143         for p in tpl.get('parameters', {}):
144             if p in required_params:
145                 continue
146             str_p = '\'%s\'' % p
147             in_resources = str_p in str(tpl.get('resources', {}))
148             in_outputs = str_p in str(tpl.get('outputs', {}))
149             if not in_resources and not in_outputs:
150                 print('Warning: parameter %s in template %s '
151                       'appears to be unused' % (p, filename))
152
153     return retval
154
155 if len(sys.argv) < 2:
156     exit_usage()
157
158 path_args = sys.argv[1:]
159 exit_val = 0
160 failed_files = []
161 base_endpoint_map = None
162 env_endpoint_maps = list()
163
164 for base_path in path_args:
165     if os.path.isdir(base_path):
166         for subdir, dirs, files in os.walk(base_path):
167             for f in files:
168                 if f.endswith('.yaml') and not f.endswith('.j2.yaml'):
169                     file_path = os.path.join(subdir, f)
170                     failed = validate(file_path)
171                     if failed:
172                         failed_files.append(file_path)
173                     exit_val |= failed
174                     if f == ENDPOINT_MAP_FILE:
175                         base_endpoint_map = get_base_endpoint_map(file_path)
176                     if f in envs_containing_endpoint_map:
177                         env_endpoint_map = get_endpoint_map_from_env(file_path)
178                         if env_endpoint_map:
179                             env_endpoint_maps.append(env_endpoint_map)
180     elif os.path.isfile(base_path) and base_path.endswith('.yaml'):
181         failed = validate(base_path)
182         if failed:
183             failed_files.append(base_path)
184         exit_val |= failed
185     else:
186         print('Unexpected argument %s' % base_path)
187         exit_usage()
188
189 if base_endpoint_map and \
190         len(env_endpoint_maps) == len(envs_containing_endpoint_map):
191     for env_endpoint_map in env_endpoint_maps:
192         matches = validate_endpoint_map(base_endpoint_map,
193                                         env_endpoint_map['map'])
194         if not matches:
195             print("ERROR: %s doesn't match base endpoint map" %
196                   env_endpoint_map['file'])
197             failed_files.append(env_endpoint_map['file'])
198             exit_val |= 1
199         else:
200             print("%s matches base endpoint map" % env_endpoint_map['file'])
201 else:
202     print("ERROR: Can't validate endpoint maps since a file is missing. "
203           "If you meant to delete one of these files you should update this "
204           "tool as well.")
205     if not base_endpoint_map:
206         failed_files.append(ENDPOINT_MAP_FILE)
207     if len(env_endpoint_maps) != len(envs_containing_endpoint_map):
208         matched_files = set(os.path.basename(matched_env_file['file'])
209                             for matched_env_file in env_endpoint_maps)
210         failed_files.extend(set(envs_containing_endpoint_map) - matched_files)
211     exit_val |= 1
212
213 if failed_files:
214     print('Validation failed on:')
215     for f in failed_files:
216         print(f)
217 else:
218     print('Validation successful!')
219 sys.exit(exit_val)