]> git.ipfire.org Git - nitsi.git/blame - test.py
login: also check lines for login, which do not start with a l
[nitsi.git] / test.py
CommitLineData
5e7f6db7
JS
1#!/usr/bin/python3
2
3import serial
4
5import re
6from time import sleep
7import sys
8
9import libvirt
10
11import xml.etree.ElementTree as ET
12
5e7f6db7
JS
13import os
14
15import configparser
16
17class log():
18 def __init__(self, log_level):
19 self.log_level = log_level
20
21 def debug(self, string):
22 if self.log_level >= 4:
23 print("DEBUG: {}".format(string))
24
25 def error(self, string):
26 print("ERROR: {}".format(string))
27
28class libvirt_con():
29 def __init__(self, uri):
30 self.log = log(4)
31 self.uri = uri
32 self.connection = None
33
34 def get_domain_from_name(self, name):
35 dom = self.con.lookupByName(name)
36
37 if dom == None:
38 raise BaseException
39 return dom
40
41 @property
42 def con(self):
43 if self.connection == None:
44 try:
45 self.connection = libvirt.open(self.uri)
46 except BaseException as error:
47 self.log.error("Could not connect to: {}".format(self.uri))
48
49 self.log.debug("Connected to: {}".format(self.uri))
50 return self.connection
51
52 return self.connection
53
54
55class vm():
9bd4af37 56 def __init__(self, vm_xml_file, snapshot_xml_file, image, root_uid, username, password):
5e7f6db7
JS
57 self.log = log(4)
58 self.con = libvirt_con("qemu:///system")
59 try:
60 with open(vm_xml_file) as fobj:
61 self.vm_xml = fobj.read()
62 except FileNotFoundError as error:
63 self.log.error("No such file: {}".format(vm_xml_file))
64
65 try:
66 with open(snapshot_xml_file) as fobj:
67 self.snapshot_xml = fobj.read()
68 except FileNotFoundError as error:
69 self.log.error("No such file: {}".format(snapshot_xml_file))
70
71 self.image = image
72
73 if not os.path.isfile(self.image):
dd542251 74 self.log.error("No such file: {}".format(self.image))
5e7f6db7
JS
75
76 self.root_uid = root_uid
77
9bd4af37
JS
78 self.username = username
79 self.password = password
80
5e7f6db7
JS
81 def define(self):
82 self.dom = self.con.con.defineXML(self.vm_xml)
83 if self.dom == None:
84 self.log.error("Could not define VM")
85 raise BaseException
86
87 def start(self):
88 if self.dom.create() < 0:
89 self.log.error("Could not start VM")
90 raise BaseException
91
92 def shutdown(self):
93 if self.is_running():
94 if self.dom.shutdown() < 0:
95 self.log.error("Could not shutdown VM")
96 raise BaseException
97 else:
98 self.log.error("Domain is not running")
99
100 def undefine(self):
101 self.dom.undefine()
102
103 def create_snapshot(self):
104
105 self.snapshot = self.dom.snapshotCreateXML(self.snapshot_xml)
106
107 if not self.snapshot:
108 self.log.error("Could not create snapshot")
109 raise BaseException
110
111 def revert_snapshot(self):
5e7f6db7 112 self.dom.revertToSnapshot(self.snapshot)
ec6e622d 113 self.snapshot.delete()
5e7f6db7
JS
114
115 def is_running(self):
116
117 state, reason = self.dom.state()
118
119 if state == libvirt.VIR_DOMAIN_RUNNING:
120 return True
121 else:
122 return False
123
124 def get_serial_device(self):
125
126 if not self.is_running():
127 raise BaseException
128
129 xml_root = ET.fromstring(self.dom.XMLDesc(0))
130
131 elem = xml_root.find("./devices/serial/source")
132 return elem.get("path")
133
134 def check_is_booted_up(self):
135 serial_con = connection(self.get_serial_device())
136
137 serial_con.write("\n")
138 # This will block till the domain is booted up
139 serial_con.read(1)
140
141 #serial_con.close()
142
9bd4af37 143 def login(self):
5e7f6db7 144 try:
9bd4af37
JS
145 self.serial_con = connection(self.get_serial_device(), username=self.username)
146 self.serial_con.login(self.password)
5e7f6db7
JS
147 except BaseException as e:
148 self.log.error("Could not connect to the domain via serial console")
149
150 def cmd(self, cmd):
151 return self.serial_con.command(cmd)
152
153
5e7f6db7
JS
154class connection():
155 def __init__(self, device, username=None):
156 self.buffer = b""
157 self.back_at_prompt_pattern = None
158 self.username = username
159 self.log = log(1)
160 self.con = serial.Serial(device)
5e7f6db7
JS
161
162 def read(self, size=1):
163 if len(self.buffer) >= size:
164 # throw away first size bytes in buffer
165 data = self.buffer[:size]
166 # Set the buffer to the non used bytes
167 self.buffer = self.buffer[size:]
168 return data
169 else:
170 data = self.buffer
171 # Set the size to the value we have to read now
172 size = size - len(self.buffer)
173 # Set the buffer empty
174 self.buffer = b""
175 return data + self.con.read(size)
176
177 def peek(self, size=1):
178 if len(self.buffer) <= size:
179 self.buffer += self.con.read(size=size - len(self.buffer))
180
181 return self.buffer[:size]
182
183 def readline(self):
184 self.log.debug(self.buffer)
185 self.buffer = self.buffer + self.con.read(self.con.in_waiting)
186 if b"\n" in self.buffer:
187 size = self.buffer.index(b"\n") + 1
188 self.log.debug("We have a whole line in the buffer")
189 self.log.debug(self.buffer)
190 self.log.debug("We split at {}".format(size))
191 data = self.buffer[:size]
192 self.buffer = self.buffer[size:]
193 self.log.debug(data)
194 self.log.debug(self.buffer)
195 return data
196
197 data = self.buffer
198 self.buffer = b""
199 return data + self.con.readline()
200
201 def back_at_prompt(self):
202 data = self.peek()
203 if not data == b"[":
204 return False
205
206 # We need to use self.in_waiting because with self.con.in_waiting we get
207 # not the complete string
208 size = len(self.buffer) + self.in_waiting
209 data = self.peek(size)
210
211
212 if self.back_at_prompt_pattern == None:
213 #self.back_at_prompt_pattern = r"^\[{}@.+\]#".format(self.username)
214 self.back_at_prompt_pattern = re.compile(r"^\[{}@.+\]#".format(self.username), re.MULTILINE)
215
216 if self.back_at_prompt_pattern.search(data.decode()):
217 return True
218 else:
219 return False
220
221 def log_console_line(self, line):
222 self.log.debug("Get in function log_console_line()")
223 sys.stdout.write(line)
224
225 @property
226 def in_waiting(self):
227 in_waiting_before = 0
228 sleep(0.5)
229
230 while in_waiting_before != self.con.in_waiting:
231 in_waiting_before = self.con.in_waiting
232 sleep(0.5)
233
234 return self.con.in_waiting
235
e54f9c23
JS
236 def line_in_buffer(self):
237 if b"\n" in self.buffer:
238 return True
239
240 return False
5e7f6db7
JS
241
242 def readline2(self, pattern=None):
243 string = ""
244 string2 = b""
245 if pattern:
246 pattern = re.compile(pattern)
247
248 while 1:
249 char = self.con.read(1)
250 string = string + char.decode("utf-8")
251 string2 = string2 + char
252 #print(char)
253 print(char.decode("utf-8"), end="")
254
255 #print(string2)
256 if pattern and pattern.match(string):
257 #print("get here1")
258 #print(string2)
259 return {"string" : string, "return-code" : 1}
260
261 if char == b"\n":
262 #print(char)
263 #print(string2)
264 #print("get here2")
265 return {"return-code" : 0}
266
267 def check_logged_in(self, username):
268 pattern = "^\[" + username + "@.+\]#"
269 data = self.readline(pattern=pattern)
270 if data["return-code"] == 1:
271 print("We are logged in")
272 return True
273 else:
274 print("We are not logged in")
275 return False
276
736f73db
JS
277 def print_lines_in_buffer(self):
278 while True:
279 self.log.debug("Fill buffer ...")
280 self.peek(len(self.buffer) + self.in_waiting)
281 self.log.debug("Current buffer length: {}".format(len(self.buffer)))
282 if self.line_in_buffer() == True:
283 while self.line_in_buffer() == True:
284 data = self.readline()
285 self.log_console_line(data.decode())
286 else:
287 self.log.debug("We have printed all lines in the buffer")
288 break
289
5e7f6db7
JS
290 def login(self, password):
291 if self.username == None:
292 self.log.error("Username cannot be blank")
293 return False
294
736f73db
JS
295 self.print_lines_in_buffer()
296
5e7f6db7
JS
297 # Hit enter to see what we get
298 self.con.write(b'\n')
299 # We get two new lines \r\n ?
300 data = self.readline()
301 self.log_console_line(data.decode())
302
736f73db 303 self.print_lines_in_buffer()
5e7f6db7
JS
304
305 if self.back_at_prompt():
306 self.log.debug("We are already logged in.")
307 return True
308
309 # Read all line till we get login:
310 while 1:
5e7f6db7
JS
311 # We need to use self.in_waiting because with self.con.in_waiting we get
312 # not the complete string
313 size = len(self.buffer) + self.in_waiting
314 data = self.peek(size)
315
316 pattern = r"^.*login: "
317 pattern = re.compile(pattern)
318
319 if pattern.search(data.decode()):
320 break
321 else:
322 self.log.debug("The pattern does not match")
323 self.log_console_line(self.readline().decode())
324
325 # We can login
326 string = "{}\n".format(self.username)
327 self.con.write(string.encode())
328 self.con.flush()
329 # read the login out of the buffer
330 data = self.readline()
331 self.log.debug("This is the login:{}".format(data))
332 self.log_console_line(data.decode())
333
334 # We need to wait her till we get the full string "Password:"
335 #This is useless but self.in_waiting will wait the correct amount of time
336 size = self.in_waiting
337
338 string = "{}\n".format(password)
339 self.con.write(string.encode())
340 self.con.flush()
341 # Print the 'Password:' line
342 data = self.readline()
343 self.log_console_line(data.decode())
344
345 while not self.back_at_prompt():
346 # This will fail if the login failed so we need to look for the failed keyword
347 data = self.readline()
348 self.log_console_line(data.decode())
349
350 return True
351
352 def write(self, string):
353 self.log.debug(string)
354 self.con.write(string.encode())
355 self.con.flush()
356
357 def command(self, command):
358 self.write("{}\n".format(command))
359
360 # We need to read out the prompt for this command first
361 # If we do not do this we will break the loop immediately
362 # because the prompt for this command is still in the buffer
363 data = self.readline()
364 self.log_console_line(data.decode())
365
366 while not self.back_at_prompt():
367 data = self.readline()
368 self.log_console_line(data.decode())
369
370
5e7f6db7
JS
371# A class which define and undefine a virtual network based on an xml file
372class network():
48d5fb0a 373 def __init__(self, network_xml_file):
5e7f6db7 374 self.log = log(4)
48d5fb0a
JS
375 self.con = libvirt_con("qemu:///system")
376 try:
377 with open(network_xml_file) as fobj:
378 self.network_xml = fobj.read()
379 except FileNotFoundError as error:
380 self.log.error("No such file: {}".format(vm_xml_file))
381
382 def define(self):
383 self.network = self.con.con.networkDefineXML(self.network_xml)
384
385 if network == None:
386 self.log.error("Failed to define virtual network")
387
388 def start(self):
389 self.network.create()
390
391 def undefine(self):
392 self.network.destroy()
393
394
5e7f6db7 395
41ab240e
JS
396class RecipeExeption(Exception):
397 pass
398
399
400
5e7f6db7
JS
401# Should read the test, check if the syntax are valid
402# and return tuples with the ( host, command ) structure
403class recipe():
404 def __init__(self, path):
405 self.log = log(4)
406 self.recipe_file = path
41ab240e
JS
407 self._recipe = None
408
5e7f6db7
JS
409 if not os.path.isfile(self.recipe_file):
410 self.log.error("No such file: {}".format(self.recipe_file))
411
412 try:
413 with open(self.recipe_file) as fobj:
414 self.raw_recipe = fobj.readlines()
415 except FileNotFoundError as error:
416 self.log.error("No such file: {}".format(vm_xml_file))
417
41ab240e
JS
418 @property
419 def recipe(self):
420 if not self._recipe:
421 self.parse()
422
423 return self._recipe
424
425 def parse(self):
426 self._recipe = []
427 i = 1
5e7f6db7 428 for line in self.raw_recipe:
41ab240e
JS
429 raw_line = line.split(":")
430 if len(raw_line) < 2:
431 self.log.error("Error parsing the recipe in line {}".format(i))
432 raise RecipeExeption
433 cmd = raw_line[1]
434 raw_line = raw_line[0].strip().split(" ")
435 if len(raw_line) == 0:
436 self.log.error("Failed to parse the recipe in line {}".format(i))
437 raise RecipeExeption
438 elif len(raw_line) == 1:
439 if raw_line[0] == "":
440 self.log.error("Failed to parse the recipe in line {}".format(i))
441 raise RecipeExeption
442 machine = raw_line[0]
443 extra = ""
444 elif len(raw_line) == 2:
445 machine = raw_line[0]
446 extra = raw_line[1]
447
448 self._recipe.append((machine.strip(), extra.strip(), cmd.strip()))
449 i = i + 1
5e7f6db7
JS
450
451
5e7f6db7
JS
452class test():
453 def __init__(self, path):
454 self.log = log(4)
455 try:
456 self.path = os.path.abspath(path)
457 except BaseException as e:
458 self.log.error("Could not get absolute path")
459
460 self.log.debug(self.path)
461
462 self.settings_file = "{}/settings".format(self.path)
463 if not os.path.isfile(self.settings_file):
464 self.log.error("No such file: {}".format(self.settings_file))
465
466 self.recipe_file = "{}/recipe".format(self.path)
467 if not os.path.isfile(self.recipe_file):
468 self.log.error("No such file: {}".format(self.recipe_file))
469
470 def read_settings(self):
471 self.config = configparser.ConfigParser()
472 self.config.read(self.settings_file)
473 self.name = self.config["DEFAULT"]["Name"]
474 self.description = self.config["DEFAULT"]["Description"]
475
476 self.virtual_environ_name = self.config["VIRTUAL_ENVIRONMENT"]["Name"]
477 self.virtual_environ_path = self.config["VIRTUAL_ENVIRONMENT"]["Path"]
478 self.virtual_environ_path = os.path.normpath(self.path + "/" + self.virtual_environ_path)
479
480 def virtual_environ_setup(self):
481 self.virtual_environ = virtual_environ(self.virtual_environ_path)
482
483 self.virtual_networks = self.virtual_environ.get_networks()
484
485 self.virtual_machines = self.virtual_environ.get_machines()
486
487 def virtual_environ_start(self):
3fa89b7c
JS
488 for name in self.virtual_environ.network_names:
489 self.virtual_networks[name].define()
490 self.virtual_networks[name].start()
5e7f6db7 491
3fa89b7c
JS
492 for name in self.virtual_environ.machine_names:
493 self.virtual_machines[name].define()
494 self.virtual_machines[name].create_snapshot()
495 self.virtual_machines[name].start()
5e7f6db7 496
3fa89b7c
JS
497 self.log.debug("Try to login on all machines")
498 for name in self.virtual_environ.machine_names:
499 self.virtual_machines[name].login()
5e7f6db7 500
3fa89b7c
JS
501 def load_recipe(self):
502 try:
503 self.recipe = recipe(self.recipe_file)
504 except BaseException:
505 self.log.error("Failed to load recipe")
506 exit(1)
507
508 def run_recipe(self):
509 for line in self.recipe.recipe:
510 return_value = self.virtual_machines[line[0]].cmd(line[2])
511 if not return_value and line[1] == "":
512 self.log.error("Failed to execute command '{}' on {}".format(line[2],line[0]))
513 return False
514 elif return_value == True and line[1] == "!":
515 self.log.error("Succeded to execute command '{}' on {}".format(line[2],line[0]))
516 return False
517
518 def virtual_environ_stop(self):
519 for name in self.virtual_environ.machine_names:
520 self.virtual_machines[name].shutdown()
521 self.virtual_machines[name].revert_snapshot()
522 self.virtual_machines[name].undefine()
523
524 for name in self.virtual_environ.network_names:
525 self.virtual_networks[name].undefine()
5e7f6db7
JS
526
527
5e7f6db7
JS
528# Should return all vms and networks in a list
529# and should provide the path to the necessary xml files
530class virtual_environ():
531 def __init__(self, path):
532 self.log = log(4)
533 try:
534 self.path = os.path.abspath(path)
535 except BaseException as e:
536 self.log.error("Could not get absolute path")
537
538 self.log.debug(self.path)
539
540 self.settings_file = "{}/settings".format(self.path)
541 if not os.path.isfile(self.settings_file):
542 self.log.error("No such file: {}".format(self.settings_file))
543
544 self.log.debug(self.settings_file)
545 self.config = configparser.ConfigParser()
546 self.config.read(self.settings_file)
547 self.name = self.config["DEFAULT"]["name"]
548 self.machines_string = self.config["DEFAULT"]["machines"]
549 self.networks_string = self.config["DEFAULT"]["networks"]
550
551 self.machines = []
552 for machine in self.machines_string.split(","):
553 self.machines.append(machine.strip())
554
555 self.networks = []
556 for network in self.networks_string.split(","):
557 self.networks.append(network.strip())
558
559 self.log.debug(self.machines)
560 self.log.debug(self.networks)
561
562 def get_networks(self):
563 networks = {}
564 for _network in self.networks:
565 self.log.debug(_network)
566 networks.setdefault(_network, network(os.path.normpath(self.path + "/" + self.config[_network]["xml_file"])))
567 return networks
568
569 def get_machines(self):
570 machines = {}
571 for _machine in self.machines:
572 self.log.debug(_machine)
573 machines.setdefault(_machine, vm(
574 os.path.normpath(self.path + "/" + self.config[_machine]["xml_file"]),
2d53bc4f
JS
575 os.path.normpath(self.path + "/" + self.config[_machine]["snapshot_xml_file"]),
576 self.config[_machine]["image"],
577 self.config[_machine]["root_uid"],
578 self.config[_machine]["username"],
579 self.config[_machine]["password"]))
5e7f6db7
JS
580
581 return machines
582
2d53bc4f
JS
583 @property
584 def machine_names(self):
585 return self.machines
586
587 @property
588 def network_names(self):
589 return self.networks
590
5e7f6db7 591
5e7f6db7
JS
592if __name__ == "__main__":
593 import argparse
594
595 parser = argparse.ArgumentParser()
596
597 parser.add_argument("-d", "--directory", dest="dir")
598
599 args = parser.parse_args()
600
5e7f6db7
JS
601 currenttest = test(args.dir)
602 currenttest.read_settings()
10f65154
JS
603 currenttest.virtual_environ_setup()
604 currenttest.load_recipe()
605 currenttest.virtual_environ_start()
606 currenttest.run_recipe()
607 currenttest.virtual_environ_stop()