QemuUtil lib change to work with ubuntu and centos
[csit.git] / resources / libraries / python / QemuUtils.py
1 # Copyright (c) 2016 Cisco and/or its affiliates.
2 # Licensed under the Apache License, Version 2.0 (the "License");
3 # you may not use this file except in compliance with the License.
4 # You may obtain 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,
10 # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
11 # See the License for the specific language governing permissions and
12 # limitations under the License.
13
14 """QEMU utilities library."""
15
16 from time import time, sleep
17 import json
18
19 from robot.api import logger
20
21 from resources.libraries.python.ssh import SSH, SSHTimeout
22 from resources.libraries.python.constants import Constants
23 from resources.libraries.python.topology import NodeType
24
25
26 class QemuUtils(object):
27     """QEMU utilities."""
28
29     __QEMU_BIN = '/usr/bin/qemu-system-x86_64'
30     # QEMU Machine Protocol socket
31     __QMP_SOCK = '/tmp/qmp.sock'
32     # QEMU Guest Agent socket
33     __QGA_SOCK = '/tmp/qga.sock'
34
35     def __init__(self):
36         self._qemu_opt = {}
37         # Default 1 CPU.
38         self._qemu_opt['smp'] = '-smp 1,sockets=1,cores=1,threads=1'
39         # Daemonize the QEMU process after initialization. Default one
40         # management interface.
41         self._qemu_opt['options'] = '-cpu host -daemonize -enable-kvm ' \
42             '-machine pc,accel=kvm,usb=off,mem-merge=off ' \
43             '-net nic,macaddr=52:54:00:00:02:01 -balloon none'
44         self._qemu_opt['ssh_fwd_port'] = 10022
45         # Default serial console port
46         self._qemu_opt['serial_port'] = 4556
47         # Default 512MB virtual RAM
48         self._qemu_opt['mem_size'] = 512
49         # Default huge page mount point, required for Vhost-user interfaces.
50         self._qemu_opt['huge_mnt'] = '/mnt/huge'
51         # Default do not allocate huge pages.
52         self._qemu_opt['huge_allocate'] = False
53         # Default image for CSIT virl setup
54         self._qemu_opt['disk_image'] = '/var/lib/vm/vhost-nested.img'
55         # VM node info dict
56         self._vm_info = {
57             'type': NodeType.VM,
58             'port': 10022,
59             'username': 'cisco',
60             'password': 'cisco',
61             'interfaces': {},
62         }
63         # Virtio queue count
64         self._qemu_opt['queues'] = 1
65         self._vhost_id = 0
66         self._ssh = None
67         self._node = None
68         self._socks = [self.__QMP_SOCK, self.__QGA_SOCK]
69
70     def qemu_set_smp(self, cpus, cores, threads, sockets):
71         """Set SMP option for QEMU
72
73         :param cpus: Number of CPUs.
74         :param cores: Number of CPU cores on one socket.
75         :param threads: Number of threads on one CPU core.
76         :param sockets: Number of discrete sockets in the system.
77         :type cpus: int
78         :type cores: int
79         :type threads: int
80         :type sockets: int
81         """
82         self._qemu_opt['smp'] = '-smp {},cores={},threads={},sockets={}'.format(
83             cpus, cores, threads, sockets)
84
85     def qemu_set_ssh_fwd_port(self, fwd_port):
86         """Set host port for guest SSH forwarding.
87
88         :param fwd_port: Port number on host for guest SSH forwarding.
89         :type fwd_port: int
90         """
91         self._qemu_opt['ssh_fwd_port'] = fwd_port
92         self._vm_info['port'] = fwd_port
93
94     def qemu_set_serial_port(self, port):
95         """Set serial console port.
96
97         :param port: Serial console port.
98         :type port: int
99         """
100         self._qemu_opt['serial_port'] = port
101
102     def qemu_set_mem_size(self, mem_size):
103         """Set virtual RAM size.
104
105         :param mem_size: RAM size in Mega Bytes.
106         :type mem_size: int
107         """
108         self._qemu_opt['mem_size'] = int(mem_size)
109
110     def qemu_set_huge_mnt(self, huge_mnt):
111         """Set hugefile mount point.
112
113         :param huge_mnt: System hugefile mount point.
114         :type huge_mnt: int
115         """
116         self._qemu_opt['huge_mnt'] = huge_mnt
117
118     def qemu_set_huge_allocate(self):
119         """Set flag to allocate more huge pages if needed."""
120         self._qemu_opt['huge_allocate'] = True
121
122     def qemu_set_disk_image(self, disk_image):
123         """Set disk image.
124
125         :param disk_image: Path of the disk image.
126         :type disk_image: str
127         """
128         self._qemu_opt['disk_image'] = disk_image
129
130     def qemu_set_affinity(self, *host_cpus):
131         """Set qemu affinity by getting thread PIDs via QMP and taskset to list
132         of CPU cores.
133
134         :param host_cpus: List of CPU cores.
135         :type host_cpus: list
136         """
137         qemu_cpus = self._qemu_qmp_exec('query-cpus')['return']
138
139         if len(qemu_cpus) != len(host_cpus):
140             logger.debug('Host CPU count {0}, Qemu Thread count {1}'.format(
141                 len(host_cpus), len(qemu_cpus)))
142             raise ValueError('Host CPU count must match Qemu Thread count')
143
144         for qemu_cpu, host_cpu in zip(qemu_cpus, host_cpus):
145             cmd = 'taskset -pc {0} {1}'.format(host_cpu, qemu_cpu['thread_id'])
146             (ret_code, _, stderr) = self._ssh.exec_command_sudo(cmd)
147             if int(ret_code) != 0:
148                 logger.debug('Set affinity failed {0}'.format(stderr))
149                 raise RuntimeError('Set affinity failed on {0}'.format(
150                     self._node['host']))
151
152     def qemu_set_scheduler_policy(self):
153         """Set scheduler policy to SCHED_RR with priority 1 for all Qemu CPU
154         processes.
155
156        :raises RuntimeError: Set scheduler policy failed.
157         """
158         qemu_cpus = self._qemu_qmp_exec('query-cpus')['return']
159
160         for qemu_cpu in qemu_cpus:
161             cmd = 'chrt -r -p 1 {0}'.format(qemu_cpu['thread_id'])
162             (ret_code, _, stderr) = self._ssh.exec_command_sudo(cmd)
163             if int(ret_code) != 0:
164                 logger.debug('Set SCHED_RR failed {0}'.format(stderr))
165                 raise RuntimeError('Set SCHED_RR failed on {0}'.format(
166                     self._node['host']))
167
168     def qemu_set_node(self, node):
169         """Set node to run QEMU on.
170
171         :param node: Node to run QEMU on.
172         :type node: dict
173         """
174         self._node = node
175         self._ssh = SSH()
176         self._ssh.connect(node)
177         self._vm_info['host'] = node['host']
178
179     def qemu_add_vhost_user_if(self, socket, server=True, mac=None):
180         """Add Vhost-user interface.
181
182         :param socket: Path of the unix socket.
183         :param server: If True the socket shall be a listening socket.
184         :param mac: Vhost-user interface MAC address (optional, otherwise is
185             used autogenerated MAC 52:54:00:00:04:xx).
186         :type socket: str
187         :type server: bool
188         :type mac: str
189         """
190         self._vhost_id += 1
191         # Create unix socket character device.
192         chardev = ' -chardev socket,id=char{0},path={1}'.format(self._vhost_id,
193                                                                 socket)
194         if server is True:
195             chardev += ',server'
196         self._qemu_opt['options'] += chardev
197         # Create Vhost-user network backend.
198         netdev = ' -netdev vhost-user,id=vhost{0},chardev=char{0},'\
199             'queues={1}'.format(self._vhost_id, self._qemu_opt['queues'])
200         self._qemu_opt['options'] += netdev
201         # If MAC is not specified use autogenerated 52:54:00:00:04:<vhost_id>
202         # e.g. vhost1 MAC is 52:54:00:00:04:01
203         if mac is None:
204             mac = '52:54:00:00:04:{0:02x}'.format(self._vhost_id)
205         extend_options = 'mq=on,csum=off,gso=off,guest_tso4=off,'\
206             'guest_tso6=off,guest_ecn=off,mrg_rxbuf=off'
207         # Create Virtio network device.
208         device = ' -device virtio-net-pci,netdev=vhost{0},mac={1},{2}'.format(
209             self._vhost_id, mac, extend_options)
210         self._qemu_opt['options'] += device
211         # Add interface MAC and socket to the node dict
212         if_data = {'mac_address': mac, 'socket': socket}
213         if_name = 'vhost{}'.format(self._vhost_id)
214         self._vm_info['interfaces'][if_name] = if_data
215         # Add socket to the socket list
216         self._socks.append(socket)
217
218     def _qemu_qmp_exec(self, cmd):
219         """Execute QMP command.
220
221         QMP is JSON based protocol which allows to control QEMU instance.
222
223         :param cmd: QMP command to execute.
224         :type cmd: str
225         :return: Command output in python representation of JSON format. The
226             { "return": {} } response is QMP's success response. An error
227             response will contain the "error" keyword instead of "return".
228         """
229         # To enter command mode, the qmp_capabilities command must be issued.
230         qmp_cmd = 'echo "{ \\"execute\\": \\"qmp_capabilities\\" }' \
231                   '{ \\"execute\\": \\"' + cmd + \
232                   '\\" }" | sudo -S socat - UNIX-CONNECT:' + self.__QMP_SOCK
233
234         (ret_code, stdout, stderr) = self._ssh.exec_command(qmp_cmd)
235         if int(ret_code) != 0:
236             logger.debug('QMP execute failed {0}'.format(stderr))
237             raise RuntimeError('QMP execute "{0}"'
238                                ' failed on {1}'.format(cmd, self._node['host']))
239         logger.trace(stdout)
240         # Skip capabilities negotiation messages.
241         out_list = stdout.splitlines()
242         if len(out_list) < 3:
243             raise RuntimeError('Invalid QMP output on {0}'.format(
244                 self._node['host']))
245         return json.loads(out_list[2])
246
247     def _qemu_qga_flush(self):
248         """Flush the QGA parser state
249         """
250         qga_cmd = '(printf "\xFF"; sleep 1) | sudo -S socat - UNIX-CONNECT:' + \
251                   self.__QGA_SOCK
252         #TODO: probably need something else
253         (ret_code, stdout, stderr) = self._ssh.exec_command(qga_cmd)
254         if int(ret_code) != 0:
255             logger.debug('QGA execute failed {0}'.format(stderr))
256             raise RuntimeError('QGA execute "{0}" '
257                                'failed on {1}'.format(qga_cmd,
258                                                       self._node['host']))
259         logger.trace(stdout)
260         if not stdout:
261             return {}
262         return json.loads(stdout.split('\n', 1)[0])
263
264     def _qemu_qga_exec(self, cmd):
265         """Execute QGA command.
266
267         QGA provide access to a system-level agent via standard QMP commands.
268
269         :param cmd: QGA command to execute.
270         :type cmd: str
271         """
272         qga_cmd = '(echo "{ \\"execute\\": \\"' + \
273                   cmd + \
274                   '\\" }"; sleep 1) | sudo -S socat - UNIX-CONNECT:' + \
275                   self.__QGA_SOCK
276         (ret_code, stdout, stderr) = self._ssh.exec_command(qga_cmd)
277         if int(ret_code) != 0:
278             logger.debug('QGA execute failed {0}'.format(stderr))
279             raise RuntimeError('QGA execute "{0}"'
280                                ' failed on {1}'.format(cmd, self._node['host']))
281         logger.trace(stdout)
282         if not stdout:
283             return {}
284         return json.loads(stdout.split('\n', 1)[0])
285
286     def _wait_until_vm_boot(self, timeout=60):
287         """Wait until QEMU VM is booted.
288
289         Ping QEMU guest agent each 5s until VM booted or timeout.
290
291         :param timeout: Waiting timeout in seconds (optional, default 60s).
292         :type timeout: int
293         """
294         start = time()
295         while True:
296             if time() - start > timeout:
297                 raise RuntimeError('timeout, VM {0} not booted on {1}'.format(
298                     self._qemu_opt['disk_image'], self._node['host']))
299             try:
300                 self._qemu_qga_flush()
301                 out = self._qemu_qga_exec('guest-ping')
302             except ValueError:
303                 logger.trace('QGA guest-ping unexpected output {}'.format(out))
304             # Empty output - VM not booted yet
305             if not out:
306                 sleep(5)
307             # Non-error return - VM booted
308             elif out.get('return') is not None:
309                 break
310             # Skip error and wait
311             elif out.get('error') is not None:
312                 sleep(5)
313             else:
314                 # If there is an unexpected output from QGA guest-info, try
315                 # again until timeout.
316                 logger.trace('QGA guest-ping unexpected output {}'.format(out))
317
318         logger.trace('VM {0} booted on {1}'.format(self._qemu_opt['disk_image'],
319                                                    self._node['host']))
320
321     def _update_vm_interfaces(self):
322         """Update interface names in VM node dict."""
323         # Send guest-network-get-interfaces command via QGA, output example:
324         # {"return": [{"name": "eth0", "hardware-address": "52:54:00:00:04:01"},
325         # {"name": "eth1", "hardware-address": "52:54:00:00:04:02"}]}
326         out = self._qemu_qga_exec('guest-network-get-interfaces')
327         interfaces = out.get('return')
328         mac_name = {}
329         if not interfaces:
330             raise RuntimeError('Get VM {0} interface list failed on {1}'.format(
331                 self._qemu_opt['disk_image'], self._node['host']))
332         # Create MAC-name dict
333         for interface in interfaces:
334             if 'hardware-address' not in interface:
335                 continue
336             mac_name[interface['hardware-address']] = interface['name']
337         # Match interface by MAC and save interface name
338         for interface in self._vm_info['interfaces'].values():
339             mac = interface.get('mac_address')
340             if_name = mac_name.get(mac)
341             if if_name is None:
342                 logger.trace('Interface name for MAC {} not found'.format(mac))
343             else:
344                 interface['name'] = if_name
345
346     def _huge_page_check(self, allocate=False):
347         """Huge page check."""
348         huge_mnt = self._qemu_opt.get('huge_mnt')
349         mem_size = self._qemu_opt.get('mem_size')
350
351         # Get huge pages information
352         huge_size = self._get_huge_page_size()
353         huge_free = self._get_huge_page_free(huge_size)
354         huge_total = self._get_huge_page_total(huge_size)
355
356         # Check if memory reqested by qemu is available on host
357         if (mem_size * 1024) > (huge_free * huge_size):
358             # If we want to allocate hugepage dynamically
359             if allocate:
360                 mem_needed = abs((huge_free * huge_size) - (mem_size * 1024))
361                 huge_to_allocate = ((mem_needed / huge_size) * 2) + huge_total
362                 max_map_count = huge_to_allocate*4
363                 # Increase maximum number of memory map areas a process may have
364                 cmd = 'echo "{0}" | sudo tee /proc/sys/vm/max_map_count'.format(
365                     max_map_count)
366                 (ret_code, _, stderr) = self._ssh.exec_command_sudo(cmd)
367                 # Increase hugepage count
368                 cmd = 'echo "{0}" | sudo tee /proc/sys/vm/nr_hugepages'.format(
369                     huge_to_allocate)
370                 (ret_code, _, stderr) = self._ssh.exec_command_sudo(cmd)
371                 if int(ret_code) != 0:
372                     logger.debug('Mount huge pages failed {0}'.format(stderr))
373                     raise RuntimeError('Mount huge pages failed on {0}'.format(
374                         self._node['host']))
375             # If we do not want to allocate dynamicaly end with error
376             else:
377                 raise RuntimeError(
378                     'Not enough free huge pages: {0}, '
379                     '{1} MB'.format(huge_free, huge_free * huge_size)
380                 )
381         # Check if huge pages mount point exist
382         has_huge_mnt = False
383         (_, output, _) = self._ssh.exec_command('cat /proc/mounts')
384         for line in output.splitlines():
385             # Try to find something like:
386             # none /mnt/huge hugetlbfs rw,relatime,pagesize=2048k 0 0
387             mount = line.split()
388             if mount[2] == 'hugetlbfs' and mount[1] == huge_mnt:
389                 has_huge_mnt = True
390                 break
391         # If huge page mount point not exist create one
392         if not has_huge_mnt:
393             cmd = 'mkdir -p {0}'.format(huge_mnt)
394             (ret_code, _, stderr) = self._ssh.exec_command_sudo(cmd)
395             if int(ret_code) != 0:
396                 logger.debug('Create mount dir failed: {0}'.format(stderr))
397                 raise RuntimeError('Create mount dir failed on {0}'.format(
398                     self._node['host']))
399             cmd = 'mount -t hugetlbfs -o pagesize=2048k none {0}'.format(
400                 huge_mnt)
401             (ret_code, _, stderr) = self._ssh.exec_command_sudo(cmd)
402             if int(ret_code) != 0:
403                 logger.debug('Mount huge pages failed {0}'.format(stderr))
404                 raise RuntimeError('Mount huge pages failed on {0}'.format(
405                     self._node['host']))
406
407     def _get_huge_page_size(self):
408         """Get default size of huge pages in system.
409
410         :returns: Default size of free huge pages in system.
411         :rtype: int
412         :raises: RuntimeError if reading failed for three times.
413         """
414         # TODO: remove to dedicated library
415         cmd_huge_size = "grep Hugepagesize /proc/meminfo | awk '{ print $2 }'"
416         for _ in range(3):
417             (ret, out, _) = self._ssh.exec_command_sudo(cmd_huge_size)
418             if ret == 0:
419                 try:
420                     huge_size = int(out)
421                 except ValueError:
422                     logger.trace('Reading huge page size information failed')
423                 else:
424                     break
425         else:
426             raise RuntimeError('Getting huge page size information failed.')
427         return huge_size
428
429     def _get_huge_page_free(self, huge_size):
430         """Get total number of huge pages in system.
431
432         :param huge_size: Size of hugepages.
433         :type huge_size: int
434         :returns: Number of free huge pages in system.
435         :rtype: int
436         :raises: RuntimeError if reading failed for three times.
437         """
438         # TODO: add numa aware option
439         # TODO: remove to dedicated library
440         cmd_huge_free = 'cat /sys/kernel/mm/hugepages/hugepages-{0}kB/'\
441             'free_hugepages'.format(huge_size)
442         for _ in range(3):
443             (ret, out, _) = self._ssh.exec_command_sudo(cmd_huge_free)
444             if ret == 0:
445                 try:
446                     huge_free = int(out)
447                 except ValueError:
448                     logger.trace('Reading free huge pages information failed')
449                 else:
450                     break
451         else:
452             raise RuntimeError('Getting free huge pages information failed.')
453         return huge_free
454
455     def _get_huge_page_total(self, huge_size):
456         """Get total number of huge pages in system.
457
458         :param huge_size: Size of hugepages.
459         :type huge_size: int
460         :returns: Total number of huge pages in system.
461         :rtype: int
462         :raises: RuntimeError if reading failed for three times.
463         """
464         # TODO: add numa aware option
465         # TODO: remove to dedicated library
466         cmd_huge_total = 'cat /sys/kernel/mm/hugepages/hugepages-{0}kB/'\
467             'nr_hugepages'.format(huge_size)
468         for _ in range(3):
469             (ret, out, _) = self._ssh.exec_command_sudo(cmd_huge_total)
470             if ret == 0:
471                 try:
472                     huge_total = int(out)
473                 except ValueError:
474                     logger.trace('Reading total huge pages information failed')
475                 else:
476                     break
477         else:
478             raise RuntimeError('Getting total huge pages information failed.')
479         return huge_total
480
481     def qemu_start(self):
482         """Start QEMU and wait until VM boot.
483
484         :return: VM node info.
485         :rtype: dict
486         .. note:: First set at least node to run QEMU on.
487         .. warning:: Starts only one VM on the node.
488         """
489         # SSH forwarding
490         ssh_fwd = '-net user,hostfwd=tcp::{0}-:22'.format(
491             self._qemu_opt.get('ssh_fwd_port'))
492         # Memory and huge pages
493         mem = '-object memory-backend-file,id=mem,size={0}M,mem-path={1},' \
494             'share=on -m {0} -numa node,memdev=mem'.format(
495                 self._qemu_opt.get('mem_size'), self._qemu_opt.get('huge_mnt'))
496
497         # By default check only if hugepages are availbale.
498         # If 'huge_allocate' is set to true try to allocate as well.
499         self._huge_page_check(allocate=self._qemu_opt.get('huge_allocate'))
500
501         # Disk option
502         drive = '-drive file={},format=raw,cache=none,if=virtio'.format(
503             self._qemu_opt.get('disk_image'))
504         # Setup QMP via unix socket
505         qmp = '-qmp unix:{0},server,nowait'.format(self.__QMP_SOCK)
506         # Setup serial console
507         serial = '-chardev socket,host=127.0.0.1,port={0},id=gnc0,server,' \
508             'nowait -device isa-serial,chardev=gnc0'.format(
509                 self._qemu_opt.get('serial_port'))
510         # Setup QGA via chardev (unix socket) and isa-serial channel
511         qga = '-chardev socket,path=/tmp/qga.sock,server,nowait,id=qga0 ' \
512             '-device isa-serial,chardev=qga0'
513         # Graphic setup
514         graphic = '-monitor none -display none -vga none'
515
516         # Run QEMU
517         cmd = '{0} {1} {2} {3} {4} {5} {6} {7} {8} {9}'.format(
518             self.__QEMU_BIN, self._qemu_opt.get('smp'), mem, ssh_fwd,
519             self._qemu_opt.get('options'),
520             drive, qmp, serial, qga, graphic)
521         (ret_code, _, stderr) = self._ssh.exec_command_sudo(cmd, timeout=300)
522         if int(ret_code) != 0:
523             logger.debug('QEMU start failed {0}'.format(stderr))
524             raise RuntimeError('QEMU start failed on {0}'.format(
525                 self._node['host']))
526         logger.trace('QEMU running')
527         # Wait until VM boot
528         try:
529             self._wait_until_vm_boot()
530         except (RuntimeError, SSHTimeout):
531             self.qemu_kill()
532             self.qemu_clear_socks()
533             raise
534         # Update interface names in VM node dict
535         self._update_vm_interfaces()
536         # Return VM node dict
537         return self._vm_info
538
539     def qemu_quit(self):
540         """Quit the QEMU emulator."""
541         out = self._qemu_qmp_exec('quit')
542         err = out.get('error')
543         if err is not None:
544             raise RuntimeError('QEMU quit failed on {0}, error: {1}'.format(
545                 self._node['host'], json.dumps(err)))
546
547     def qemu_system_powerdown(self):
548         """Power down the system (if supported)."""
549         out = self._qemu_qmp_exec('system_powerdown')
550         err = out.get('error')
551         if err is not None:
552             raise RuntimeError(
553                 'QEMU system powerdown failed on {0}, '
554                 'error: {1}'.format(self._node['host'], json.dumps(err))
555             )
556
557     def qemu_system_reset(self):
558         """Reset the system."""
559         out = self._qemu_qmp_exec('system_reset')
560         err = out.get('error')
561         if err is not None:
562             raise RuntimeError(
563                 'QEMU system reset failed on {0}, '
564                 'error: {1}'.format(self._node['host'], json.dumps(err)))
565
566     def qemu_kill(self):
567         """Kill qemu process."""
568         # TODO: add PID storage so that we can kill specific PID
569         # Note: in QEMU start phase there are 3 QEMU processes because we
570         # daemonize QEMU
571         self._ssh.exec_command_sudo('pkill -SIGKILL qemu')
572
573     def qemu_clear_socks(self):
574         """Remove all sockets created by QEMU."""
575         # If serial console port still open kill process
576         cmd = 'fuser -k {}/tcp'.format(self._qemu_opt.get('serial_port'))
577         self._ssh.exec_command_sudo(cmd)
578         # Delete all created sockets
579         for sock in self._socks:
580             cmd = 'rm -f {}'.format(sock)
581             self._ssh.exec_command_sudo(cmd)
582
583     def qemu_system_status(self):
584         """Return current VM status.
585
586         VM should be in following status:
587
588             - debug: QEMU running on a debugger
589             - finish-migrate: paused to finish the migration process
590             - inmigrate: waiting for an incoming migration
591             - internal-error: internal error has occurred
592             - io-error: the last IOP has failed
593             - paused: paused
594             - postmigrate: paused following a successful migrate
595             - prelaunch: QEMU was started with -S and guest has not started
596             - restore-vm: paused to restore VM state
597             - running: actively running
598             - save-vm: paused to save the VM state
599             - shutdown: shut down (and -no-shutdown is in use)
600             - suspended: suspended (ACPI S3)
601             - watchdog: watchdog action has been triggered
602             - guest-panicked: panicked as a result of guest OS panic
603
604         :return: VM status.
605         :rtype: str
606         """
607         out = self._qemu_qmp_exec('query-status')
608         ret = out.get('return')
609         if ret is not None:
610             return ret.get('status')
611         else:
612             err = out.get('error')
613             raise RuntimeError(
614                 'QEMU query-status failed on {0}, '
615                 'error: {1}'.format(self._node['host'], json.dumps(err)))
616
617     @staticmethod
618     def build_qemu(node):
619         """Build QEMU from sources.
620
621         :param node: Node to build QEMU on.
622         :type node: dict
623         """
624         ssh = SSH()
625         ssh.connect(node)
626
627         (ret_code, stdout, stderr) = \
628             ssh.exec_command('sudo -Sn bash {0}/{1}/qemu_build.sh'.format(
629                 Constants.REMOTE_FW_DIR, Constants.RESOURCES_LIB_SH), 1000)
630         logger.trace(stdout)
631         if int(ret_code) != 0:
632             logger.debug('QEMU build failed {0}'.format(stderr))
633             raise RuntimeError('QEMU build failed on {0}'.format(node['host']))