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
|
import os
import config.config as conf
from common import is_device,num_cpus
from operator import methodcaller
from run.executable.ftcat import FTcat,Executable
class Tracer(object):
def __init__(self, name, output_dir, exact=False):
self.name = name
self.output_dir = output_dir
self.bins = []
self.exact=exact
def get_name(self):
return self.name
def is_exact(self):
return self.exact
def start_tracing(self):
map(methodcaller("execute"), self.bins)
def stop_tracing(self):
map(methodcaller('terminate'), self.bins)
map(methodcaller('wait'), self.bins)
class LinuxTracer(Tracer):
EVENT_ROOT = "/sys/kernel/debug/tracing"
LITMUS_EVENTS = "%s/events/litmus" % EVENT_ROOT
def __init__(self, output_dir):
super(LinuxTracer, self).__init__("Trace-cmd / Kernelshark", output_dir)
extra_args = ["record", # "-e", "sched:sched_switch",
"-e", "litmus:*",
"-o", "%s/%s" % (output_dir, conf.FILES['linux_data'])]
stdout = open('%s/trace-cmd-stdout.txt' % self.output_dir, 'w')
stderr = open('%s/trace-cmd-stderr.txt' % self.output_dir, 'w')
execute = Executable(conf.BINS['trace-cmd'], extra_args,
stdout, stderr, output_dir)
self.bins.append(execute)
@staticmethod
def enabled():
return conf.BINS['trace-cmd'] and os.path.exists(LinuxTracer.LITMUS_EVENTS)
def stop_tracing(self):
map(methodcaller('interrupt'), self.bins)
map(methodcaller('wait'), self.bins)
class LogTracer(Tracer):
DEVICE_STR = '/dev/litmus/log'
def __init__(self, output_dir):
super(LogTracer, self).__init__("Logger", output_dir)
out_file = open("%s/%s" % (self.output_dir, conf.FILES['log_data']), 'w')
cat = (Executable("/bin/cat", [LogTracer.DEVICE_STR]))
cat.stdout_file = out_file
self.bins.append(cat)
@staticmethod
def enabled():
return is_device(LogTracer.DEVICE_STR)
def stop_tracing(self):
map(methodcaller('interrupt'), self.bins)
map(methodcaller('wait', False), self.bins)
class SchedTracer(Tracer):
DEVICE_STR = '/dev/litmus/sched_trace'
def __init__(self, output_dir):
super(SchedTracer, self).__init__("Sched Trace", output_dir)
if SchedTracer.enabled():
for cpu in range(num_cpus()):
# Executable will close the stdout/stderr files
stdout_f = open('%s/st-%d.bin' % (self.output_dir, cpu), 'w')
stderr_f = open('%s/st-%d-stderr.txt' % (self.output_dir, cpu), 'w')
dev = '{0}{1}'.format(SchedTracer.DEVICE_STR, cpu)
ftc = FTcat(conf.BINS['ftcat'], stdout_f, stderr_f, dev,
conf.SCHED_EVENTS, cpu=cpu)
self.bins.append(ftc)
@staticmethod
def enabled():
return is_device("%s%d" % (SchedTracer.DEVICE_STR, 0))
class OverheadTracer(Tracer):
DEVICE_STR = '/dev/litmus/ft_cpu_trace0'
MSG_DEVICE_STR = '/dev/litmus/ft_msg_trace0'
def __init__(self, output_dir):
super(OverheadTracer, self).__init__("Overhead Trace", output_dir, True)
stdout_f = open('{0}/{1}'.format(self.output_dir, conf.FILES['ft_data']), 'w')
stderr_f = open('{0}/{1}.stderr.txt'.format(self.output_dir, conf.FILES['ft_data']), 'w')
ftc = FTcat(conf.BINS['ftcat'], stdout_f, stderr_f,
OverheadTracer.DEVICE_STR, conf.OVH_ALL_EVENTS)
stdout_f2 = open('{0}/{1}'.format(self.output_dir, conf.FILES['ft_msg_data']), 'w')
stderr_f2 = open('{0}/{1}.stderr.txt'.format(self.output_dir, conf.FILES['ft_msg_data']), 'w')
ftc2 = FTcat(conf.BINS['ftcat'], stdout_f2, stderr_f2,
OverheadTracer.MSG_DEVICE_STR, conf.OVH_MSG_EVENTS)
self.bins.append(ftc)
self.bins.append(ftc2)
@staticmethod
def enabled():
return is_device(OverheadTracer.DEVICE_STR)
class PerfTracer(Tracer):
def __init__(self, output_dir):
super(PerfTracer, self).__init__("CPU perf counters", output_dir)
@staticmethod
def enabled():
return False
tracers = {}
def register_tracer(tracer, name):
tracers[name] = tracer
def get_tracer_types(names):
error = True # Error if name is not present
errors = []
if not names:
# Just return all enabled tracers if none specified
names = tracers.keys()
error = False
ret = []
for name in names:
if name not in tracers:
raise ValueError("Invalid tracer '%s', valid names are: %s" %
(name, tracers.keys()))
if tracers[name].enabled():
ret += [ tracers[name] ]
elif error:
errors += ["Tracer '%s' requested, but not enabled." % name]
if errors:
raise ValueError("Check your kernel compile configuration!\n" +
"\n".join(errors))
return ret
register_tracer(LinuxTracer, "kernelshark")
register_tracer(LogTracer, "log")
register_tracer(SchedTracer, "sched")
register_tracer(OverheadTracer, "overhead")
|