-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathconfigConverter.py
319 lines (269 loc) · 12.1 KB
/
configConverter.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
# Copyright (c) 2024 Arista Networks, Inc.
# Use of this source code is governed by the MIT license
# that can be found in the LICENSE file.
from confparser import confparser
import yaml
import argparse
import pyavd.get_device_config
import re
from copy import deepcopy
parser = argparse.ArgumentParser()
parser.add_argument("-i", required=True, help="input file")
parser.add_argument("--dissector", default="ios.yaml", help="dissector file. default=ios.yaml")
parser.add_argument("--output", default="text", help="default=text, text|yaml")
parser.add_argument("--debug", default=False, action="store_true", help="emit some debug values")
args = parser.parse_args()
notifications = []
def _findPolicyMap(pm, policyMaps):
if pm == None or "qos" not in policyMaps:
return None
#### this function could be more pythonic, sacrificing that for readability
for definedPM in policyMaps["qos"]:
if definedPM["name"] == pm:
return definedPM
return None
def setupInterface(interface, oldInterface, policyMaps):
# this function will take the interface dict passed to it and convert it into
# pyavd config
newInterface = {}
if interface.startswith("Port") or interface.startswith("Vlan"):
newInterface["name"] = interface
else:
intfName = interface.split('/')
newInterface["name"] = f"ethernet{intfName[-1]}"
if "description" in oldInterface:
newInterface["description"] = oldInterface.pop("description")
if "vlans" in oldInterface:
newInterface["vlans"] = oldInterface.pop("vlans")
if "mode" in oldInterface:
newInterface["mode"] = oldInterface.pop("mode")
if "shutdown" in oldInterface:
newInterface["shutdown"] = oldInterface.pop("shutdown")
if "mtu" in oldInterface:
newInterface["mtu"] = oldInterface.pop("mtu")
if "logging" in oldInterface:
# i didn't see a way in the yaml to set a complex key structure so we need to do this by hand
newInterface["logging"] = {}
if "link-status" in oldInterface["logging"]:
newInterface["logging"].update({"event": {"link_status": oldInterface["logging"].pop("link-status")}})
if len(oldInterface["logging"]) == 0:
oldInterface.pop("logging")
if "link_trap" in oldInterface:
newInterface["snmp_trap_link_change"] = oldInterface.pop("link_trap")
if "storm_control" in oldInterface:
newInterface["storm_control"] = {}
if "broadcast" in oldInterface["storm_control"]:
#FIXME - the pop returns a confparser class. this can't be the best way to cast this?
newInterface["storm_control"]["broadcast"] = yaml.safe_load(f'{oldInterface["storm_control"].pop("broadcast")}')
#FIXME storm_control action?
""" "storm_control": {
"action": [
"shutdown",
"trap"
]
},"""
#FIXME
if "action" in oldInterface["storm_control"]:
oldInterface["storm_control"].pop("action")
if len(oldInterface["storm_control"]) == 0:
oldInterface.pop("storm_control")
if "lldp" in oldInterface:
#FIXME - the pop returns a confparser class. this can't be the best way to cast this?
newInterface["lldp"] = yaml.safe_load(f'{oldInterface.pop("lldp")}')
# FIXME we need to do something special here
# our speed/duplex settings are pretty different than cisco
# presently we only look for 10m, 100m, 1000m
# the logic here is a bit messy. it's written long here for clarity
# ) if speed not set, leave default
# ) if duplex is not set, assume auto
# ) if duplex and speed set, forced
if "10" in oldInterface.get("speed", []):
notifications.append(f"!!!!!!!!!!!!!!! {interface} has 10Meg. Care must be taken as to the destination switch capabilities!!!!")
if not "speed" in oldInterface and "duplex" in oldInterface:
oldInterface.pop("duplex")
elif "speed" in oldInterface and not "duplex" in oldInterface:
tmp = []
for speed in oldInterface["speed"]:
if speed == "auto":
tmp.append("auto")
continue
if speed == "1":
tmp.append("1gfull")
tmp.append("1000full")
elif speed == "100":
tmp.append("100full")
tmp.append("100half")
elif speed == "10":
tmp.append("10full")
tmp.append("10half")
newInterface["speed"] = " ".join(tmp)
oldInterface.pop("speed")
elif "speed" in oldInterface and "duplex" in oldInterface:
# let's force this!
newInterface["speed"] = f"{oldInterface['speed'][0]}{oldInterface['duplex']}"
oldInterface.pop("speed")
oldInterface.pop("duplex")
if "spanning_tree_guard" in oldInterface:
newInterface["spanning_tree_guard"] = oldInterface.pop("spanning_tree_guard")
if "channel_group" in oldInterface:
#FIXME - the pop returns a confparser class. this can't be the best way to cast this?
newInterface["channel_group"] = yaml.safe_load(f'{oldInterface.pop("channel_group")}')
if "native_vlan" in oldInterface:
newInterface["native_vlan"] = oldInterface.pop("native_vlan")
if "ipv4" in oldInterface and oldInterface["ipv4"] != False:
#if "ethernet" in newInterface["name"].lower():
#newInterface[] = no switchport
newInterface["ip_address"] = oldInterface.pop("ipv4")
if "ipv4_redirects" in oldInterface:
newInterface["ip_icmp_redirect"] = oldInterface.pop("ipv4_redirects")
if "ipv4_proxy_arp" in oldInterface:
newInterface["ip_proxy_arp"] = oldInterface.pop("ipv4_proxy_arp")
# the 720xp is best handled by using an interface level shaper.
# i need to parse
# out what service-policy is on an interface
# look for that policy-map
# look at the first class in that policy-map
# find the right rate and unit
# convert it to kbps
# emit the shaper value
if "service_policy" in oldInterface:
sp = oldInterface.pop("service_policy")
if egressPolicy := sp.get("egress", None):
pm = _findPolicyMap(egressPolicy, policyMaps)
if pm:
if "police" in pm["classes"][0]:
rate = int(pm["classes"][0]["police"]["rate"])
unit = pm["classes"][0]["police"]["rate_unit"]
if unit == "bps":
rate = int(rate/1024)
unit = "kbps"
elif unit == "mbps":
rate = int(rate*1024)
unit = "kbps"
elif unit == "pps":
unit = "pps"
newInterface["shape"] = { "rate": f'{rate} {unit}'}
if ingressPolicy := sp.get("ingress", sp.get("egress", None)):
pm = _findPolicyMap(ingressPolicy, policyMaps)
if pm:
newInterface["service_policy"] = {"qos": {"input": pm["name"]}}
##### these are things i don't care about
if "cdp_enable" in oldInterface:
oldInterface.pop("cdp_enable")
if "dtp" in oldInterface:
oldInterface.pop("dtp")
if "encap" in oldInterface:
oldInterface.pop("encap")
if "switchport" in oldInterface:
oldInterface.pop("switchport")
# what's left?
#print(yaml.dump(newInterface, sort_keys=False))
if len(oldInterface) > 0:
print(f"****** {newInterface['name']}")
print(oldInterface)
print("******")
return newInterface
def setClassMaps(classMapName, classMap):
newClassMap = {"name": classMapName}
if classMap.get("lines", "").find("any") >= 0:
newClassMap["ip"] = { "access_group": "matchAllv4" }
newClassMap["ipv6" ] = { "access_group": "matchAllv6" }
return newClassMap
def setPolicyMaps(policyMapName, policyMap):
newPolicyMap = { "name": policyMapName }
newPolicyMap["classes"] = []
for className, classEntry in policyMap["class"].items():
newClass = { "name": className }
if "police" in classEntry:
newClass["police"] = {}
if "rate" in classEntry["police"]:
newClass["police"]["rate"] = classEntry["police"].pop("rate")
if "rate_unit" in classEntry["police"]:
newClass["police"]["rate_unit"] = classEntry["police"].pop("rate_unit")
if "rate_burst_size" in classEntry["police"]:
newClass["police"]["rate_burst_size"] = classEntry["police"].pop("rate_burst_size")
if "rate_burst_size_unit" in classEntry["police"]:
rbu = classEntry["police"].pop("rate_burst_size_unit")
if rbu == "mbyte":
rbu = "mbytes"
newClass["police"]["rate_burst_size_unit"] = rbu
if classEntry["police"].get("exceed_action", "") == "drop":
newClass["police"]["action"] = { "type": "drop-precedence" }
try:
newClass["police"].pop("exceed_action")
except:
pass
newPolicyMap["classes"].append(deepcopy(newClass))
#if len(policyMap) > 0:
#print("POLICYMAP")
#print(policyMap)
#print("*******")
return newPolicyMap
dissector = confparser.Dissector.from_file(args.dissector)
dev = dissector.parse_file(args.i)
if args.debug:
print(dev)
newDevice = {
"ethernet_interfaces": [],
"vlan_interfaces": [],
"port_channel_interfaces": [],
"class_maps": {},
"policy_maps": {},
}
if "class_map" in dev:
matchAny = False
newDevice["class_maps"]["qos"] = []
for classMapName, classMap in dev["class_map"].items():
matchAny = True
newDevice["class_maps"]["qos"].append(setClassMaps(classMapName, classMap))
dev.pop("class_map")
# we are going to make a huge assumption here and create the match any acls if we had
# any class-map in the config
if matchAny:
newDevice["ip_access_lists"] = [
{
"name": "matchAllv4",
"entries": [
{
"sequence": 10,
"action": "permit",
"protocol": "ip",
"source": "any",
"destination": "any"
}
]
}
]
newDevice["ipv6_access_lists"] = [
{
"name": "matchAllv6",
"sequence_numbers": [
{
"sequence": 10,
"action": "permit ipv6 any any",
}
]
}
]
if "policy_map" in dev:
newDevice["policy_maps"]["qos"] = []
for policyMapName, policyMap in dev["policy_map"].items():
newDevice["policy_maps"]["qos"].append(setPolicyMaps(policyMapName, policyMap))
dev.pop("policy_map")
for interface, interfaceConfig in dev["interface"].items():
if interface.startswith("Gigabit"):
newDevice["ethernet_interfaces"].append(setupInterface(interface, interfaceConfig, newDevice["policy_maps"]))
elif interface.startswith("TenGiga"):
newInterfaceName = "InvalidInterface1/10000"
notifications.append(f"!!!!!!!!!!!!!!! added an invalid interface: {interface} -> {newInterfaceName}")
newDevice["ethernet_interfaces"].append(setupInterface(newInterfaceName, interfaceConfig, newDevice["policy_maps"]))
elif interface.startswith("Vlan"):
newDevice["vlan_interfaces"].append(setupInterface(interface, interfaceConfig, newDevice["policy_maps"]))
elif interface.startswith("Port"):
newDevice["port_channel_interfaces"].append(setupInterface(interface, interfaceConfig, newDevice["policy_maps"]))
if args.output == "text":
print(pyavd.get_device_config(newDevice))
elif args.output == "yaml":
print(yaml.dump(newDevice))
for notification in notifications:
print(notification)