]> git.proxmox.com Git - mirror_qemu.git/blob - scripts/tracetool/__init__.py
trace: remove global 'uint16 dstate[]' array
[mirror_qemu.git] / scripts / tracetool / __init__.py
1 #!/usr/bin/env python
2 # -*- coding: utf-8 -*-
3
4 """
5 Machinery for generating tracing-related intermediate files.
6 """
7
8 __author__ = "Lluís Vilanova <vilanova@ac.upc.edu>"
9 __copyright__ = "Copyright 2012-2016, Lluís Vilanova <vilanova@ac.upc.edu>"
10 __license__ = "GPL version 2 or (at your option) any later version"
11
12 __maintainer__ = "Stefan Hajnoczi"
13 __email__ = "stefanha@linux.vnet.ibm.com"
14
15
16 import re
17 import sys
18 import weakref
19
20 import tracetool.format
21 import tracetool.backend
22 import tracetool.transform
23
24
25 def error_write(*lines):
26 """Write a set of error lines."""
27 sys.stderr.writelines("\n".join(lines) + "\n")
28
29 def error(*lines):
30 """Write a set of error lines and exit."""
31 error_write(*lines)
32 sys.exit(1)
33
34
35 def out(*lines, **kwargs):
36 """Write a set of output lines.
37
38 You can use kwargs as a shorthand for mapping variables when formating all
39 the strings in lines.
40 """
41 lines = [ l % kwargs for l in lines ]
42 sys.stdout.writelines("\n".join(lines) + "\n")
43
44
45 class Arguments:
46 """Event arguments description."""
47
48 def __init__(self, args):
49 """
50 Parameters
51 ----------
52 args :
53 List of (type, name) tuples or Arguments objects.
54 """
55 self._args = []
56 for arg in args:
57 if isinstance(arg, Arguments):
58 self._args.extend(arg._args)
59 else:
60 self._args.append(arg)
61
62 def copy(self):
63 """Create a new copy."""
64 return Arguments(list(self._args))
65
66 @staticmethod
67 def build(arg_str):
68 """Build and Arguments instance from an argument string.
69
70 Parameters
71 ----------
72 arg_str : str
73 String describing the event arguments.
74 """
75 res = []
76 for arg in arg_str.split(","):
77 arg = arg.strip()
78 if arg == 'void':
79 continue
80
81 if '*' in arg:
82 arg_type, identifier = arg.rsplit('*', 1)
83 arg_type += '*'
84 identifier = identifier.strip()
85 else:
86 arg_type, identifier = arg.rsplit(None, 1)
87
88 res.append((arg_type, identifier))
89 return Arguments(res)
90
91 def __getitem__(self, index):
92 if isinstance(index, slice):
93 return Arguments(self._args[index])
94 else:
95 return self._args[index]
96
97 def __iter__(self):
98 """Iterate over the (type, name) pairs."""
99 return iter(self._args)
100
101 def __len__(self):
102 """Number of arguments."""
103 return len(self._args)
104
105 def __str__(self):
106 """String suitable for declaring function arguments."""
107 if len(self._args) == 0:
108 return "void"
109 else:
110 return ", ".join([ " ".join([t, n]) for t,n in self._args ])
111
112 def __repr__(self):
113 """Evaluable string representation for this object."""
114 return "Arguments(\"%s\")" % str(self)
115
116 def names(self):
117 """List of argument names."""
118 return [ name for _, name in self._args ]
119
120 def types(self):
121 """List of argument types."""
122 return [ type_ for type_, _ in self._args ]
123
124 def casted(self):
125 """List of argument names casted to their type."""
126 return ["(%s)%s" % (type_, name) for type_, name in self._args]
127
128 def transform(self, *trans):
129 """Return a new Arguments instance with transformed types.
130
131 The types in the resulting Arguments instance are transformed according
132 to tracetool.transform.transform_type.
133 """
134 res = []
135 for type_, name in self._args:
136 res.append((tracetool.transform.transform_type(type_, *trans),
137 name))
138 return Arguments(res)
139
140
141 class Event(object):
142 """Event description.
143
144 Attributes
145 ----------
146 name : str
147 The event name.
148 fmt : str
149 The event format string.
150 properties : set(str)
151 Properties of the event.
152 args : Arguments
153 The event arguments.
154
155 """
156
157 _CRE = re.compile("((?P<props>[\w\s]+)\s+)?"
158 "(?P<name>\w+)"
159 "\((?P<args>[^)]*)\)"
160 "\s*"
161 "(?:(?:(?P<fmt_trans>\".+),)?\s*(?P<fmt>\".+))?"
162 "\s*")
163
164 _VALID_PROPS = set(["disable", "tcg", "tcg-trans", "tcg-exec", "vcpu"])
165
166 def __init__(self, name, props, fmt, args, orig=None,
167 event_trans=None, event_exec=None):
168 """
169 Parameters
170 ----------
171 name : string
172 Event name.
173 props : list of str
174 Property names.
175 fmt : str, list of str
176 Event printing format (or formats).
177 args : Arguments
178 Event arguments.
179 orig : Event or None
180 Original Event before transformation/generation.
181 event_trans : Event or None
182 Generated translation-time event ("tcg" property).
183 event_exec : Event or None
184 Generated execution-time event ("tcg" property).
185
186 """
187 self.name = name
188 self.properties = props
189 self.fmt = fmt
190 self.args = args
191 self.event_trans = event_trans
192 self.event_exec = event_exec
193
194 if orig is None:
195 self.original = weakref.ref(self)
196 else:
197 self.original = orig
198
199 unknown_props = set(self.properties) - self._VALID_PROPS
200 if len(unknown_props) > 0:
201 raise ValueError("Unknown properties: %s"
202 % ", ".join(unknown_props))
203 assert isinstance(self.fmt, str) or len(self.fmt) == 2
204
205 def copy(self):
206 """Create a new copy."""
207 return Event(self.name, list(self.properties), self.fmt,
208 self.args.copy(), self, self.event_trans, self.event_exec)
209
210 @staticmethod
211 def build(line_str):
212 """Build an Event instance from a string.
213
214 Parameters
215 ----------
216 line_str : str
217 Line describing the event.
218 """
219 m = Event._CRE.match(line_str)
220 assert m is not None
221 groups = m.groupdict('')
222
223 name = groups["name"]
224 props = groups["props"].split()
225 fmt = groups["fmt"]
226 fmt_trans = groups["fmt_trans"]
227 if len(fmt_trans) > 0:
228 fmt = [fmt_trans, fmt]
229 args = Arguments.build(groups["args"])
230
231 if "tcg-trans" in props:
232 raise ValueError("Invalid property 'tcg-trans'")
233 if "tcg-exec" in props:
234 raise ValueError("Invalid property 'tcg-exec'")
235 if "tcg" not in props and not isinstance(fmt, str):
236 raise ValueError("Only events with 'tcg' property can have two formats")
237 if "tcg" in props and isinstance(fmt, str):
238 raise ValueError("Events with 'tcg' property must have two formats")
239
240 event = Event(name, props, fmt, args)
241
242 # add implicit arguments when using the 'vcpu' property
243 import tracetool.vcpu
244 event = tracetool.vcpu.transform_event(event)
245
246 return event
247
248 def __repr__(self):
249 """Evaluable string representation for this object."""
250 if isinstance(self.fmt, str):
251 fmt = self.fmt
252 else:
253 fmt = "%s, %s" % (self.fmt[0], self.fmt[1])
254 return "Event('%s %s(%s) %s')" % (" ".join(self.properties),
255 self.name,
256 self.args,
257 fmt)
258
259 _FMT = re.compile("(%[\d\.]*\w+|%.*PRI\S+)")
260
261 def formats(self):
262 """List of argument print formats."""
263 assert not isinstance(self.fmt, list)
264 return self._FMT.findall(self.fmt)
265
266 QEMU_TRACE = "trace_%(name)s"
267 QEMU_TRACE_TCG = QEMU_TRACE + "_tcg"
268 QEMU_DSTATE = "_TRACE_%(NAME)s_DSTATE"
269
270 def api(self, fmt=None):
271 if fmt is None:
272 fmt = Event.QEMU_TRACE
273 return fmt % {"name": self.name, "NAME": self.name.upper()}
274
275 def transform(self, *trans):
276 """Return a new Event with transformed Arguments."""
277 return Event(self.name,
278 list(self.properties),
279 self.fmt,
280 self.args.transform(*trans),
281 self)
282
283
284 def _read_events(fobj):
285 events = []
286 for line in fobj:
287 if not line.strip():
288 continue
289 if line.lstrip().startswith('#'):
290 continue
291
292 event = Event.build(line)
293
294 # transform TCG-enabled events
295 if "tcg" not in event.properties:
296 events.append(event)
297 else:
298 event_trans = event.copy()
299 event_trans.name += "_trans"
300 event_trans.properties += ["tcg-trans"]
301 event_trans.fmt = event.fmt[0]
302 # ignore TCG arguments
303 args_trans = []
304 for atrans, aorig in zip(
305 event_trans.transform(tracetool.transform.TCG_2_HOST).args,
306 event.args):
307 if atrans == aorig:
308 args_trans.append(atrans)
309 event_trans.args = Arguments(args_trans)
310
311 event_exec = event.copy()
312 event_exec.name += "_exec"
313 event_exec.properties += ["tcg-exec"]
314 event_exec.fmt = event.fmt[1]
315 event_exec.args = event_exec.args.transform(tracetool.transform.TCG_2_HOST)
316
317 new_event = [event_trans, event_exec]
318 event.event_trans, event.event_exec = new_event
319
320 events.extend(new_event)
321
322 return events
323
324
325 class TracetoolError (Exception):
326 """Exception for calls to generate."""
327 pass
328
329
330 def try_import(mod_name, attr_name=None, attr_default=None):
331 """Try to import a module and get an attribute from it.
332
333 Parameters
334 ----------
335 mod_name : str
336 Module name.
337 attr_name : str, optional
338 Name of an attribute in the module.
339 attr_default : optional
340 Default value if the attribute does not exist in the module.
341
342 Returns
343 -------
344 A pair indicating whether the module could be imported and the module or
345 object or attribute value.
346 """
347 try:
348 module = __import__(mod_name, globals(), locals(), ["__package__"])
349 if attr_name is None:
350 return True, module
351 return True, getattr(module, str(attr_name), attr_default)
352 except ImportError:
353 return False, None
354
355
356 def generate(fevents, format, backends,
357 binary=None, probe_prefix=None):
358 """Generate the output for the given (format, backends) pair.
359
360 Parameters
361 ----------
362 fevents : file
363 Event description file.
364 format : str
365 Output format name.
366 backends : list
367 Output backend names.
368 binary : str or None
369 See tracetool.backend.dtrace.BINARY.
370 probe_prefix : str or None
371 See tracetool.backend.dtrace.PROBEPREFIX.
372 """
373 # fix strange python error (UnboundLocalError tracetool)
374 import tracetool
375
376 format = str(format)
377 if len(format) is 0:
378 raise TracetoolError("format not set")
379 if not tracetool.format.exists(format):
380 raise TracetoolError("unknown format: %s" % format)
381
382 if len(backends) is 0:
383 raise TracetoolError("no backends specified")
384 for backend in backends:
385 if not tracetool.backend.exists(backend):
386 raise TracetoolError("unknown backend: %s" % backend)
387 backend = tracetool.backend.Wrapper(backends, format)
388
389 import tracetool.backend.dtrace
390 tracetool.backend.dtrace.BINARY = binary
391 tracetool.backend.dtrace.PROBEPREFIX = probe_prefix
392
393 events = _read_events(fevents)
394
395 tracetool.format.generate(events, format, backend)