-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathgo.py
288 lines (233 loc) · 6.85 KB
/
go.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
#!/usr/bin/env python
# -*- coding: UTF-8 -*-
# Make sure we are in at least python 2.7
import sys
if sys.version_info < (2, 7) or sys.version_info >= (2, 8):
print("Python 2.7 is required. Exiting ...")
exit(1)
import os
import re
import pexpect
def before(s, n):
i = s.find(n)
if i == -1:
return s
else:
return s[0 : i]
def before_last(s, n):
i = s.rfind(n)
if i == -1:
return s
else:
return s[0 : i]
def after(s, n):
i = s.find(n)
if i == -1:
return s
else:
return s[i+len(n) : ]
def between(s, l, r):
return before(after(s, l), r)
def between_last(s, l, r):
return before_last(after(s, l), r)
def to_bool(value):
if value == 'false':
return False
elif value == 'true':
return True
def to_python_type(str_c_type):
int_types = [
'short',
'int',
'long',
'long long',
'unsigned short',
'unsigned int',
'unsigned long',
'unsigned long long'
]
float_types = [
'float',
'double',
'long double'
]
bool_types = [
'_Bool'
]
char_types = [
'char',
'unsigned char',
'signed char'
]
if str_c_type in int_types:
return int
elif str_c_type in float_types:
return float
elif str_c_type in bool_types:
return bool
elif str_c_type in char_types:
return str
elif re.search('\[\d+\]$', str_c_type):
return list
def to_python_value(str_c_type, str_value):
type = to_python_type(str_c_type)
if type is int:
return int(str_value)
elif type is float:
return float(str_value)
elif type is bool:
return to_bool(str_value)
elif type is str:
return str_value
elif type is list:
array_type = before(str_c_type, ' [')
list_type = to_python_type(array_type)
# String
if list_type is str:
retval = between_last(str_value, '"', '"')
return retval
# Array
else:
retval = []
for n in between(str_value, '{', '}').split(', '):
n = to_python_value(array_type, n)
retval.append(n)
return retval
else:
raise Exception("Unknown type '{0}' to convert from string.".format(str_c_type))
class Debugger(object):
def __init__(self):
self.child = None
self.line_no = -1
self.file = None
self.function = None
self.program = None
self.program_path = None
self.lines = None
# Start GDB wihtout the intro copyright message
command = None
self.child = pexpect.spawn('gdb -quiet')
self._run_command(command, False, False)
# Turn off pagination
command = 'set pagination off'
self._run_command(command, False, False)
print('init', self.file, self.function, self.line_no)
def _run_command(self, command, get_function, get_line_number):
# Run the command and get the output
if command:
self.child.sendline(command)
self.child.expect('\(gdb\)')
output = self.child.before + self.child.after
assert(output.endswith('(gdb)'))
# Get the lines
self.lines = output.split('\r\n')
# Get the function and file name
if get_function:
# Stepping
if len(self.lines) >= 2 and re.match('\w+ \(\) at \w+.\w+:\d+', self.lines[1]):
self.file = between(self.lines[1], 'at', ':').strip()
self.function = before(self.lines[1], ' ')
# Breakpoint
elif len(self.lines) >= 3 and re.match('Temporary breakpoint \d+, \w+ \(\) at \w+.\w+:\d+', self.lines[-3]):
self.file = between(self.lines[-3], 'at', ':').strip()
self.function = between(self.lines[-3], ',', '(').strip()
# Get the line number
if get_line_number:
self.line_no = int(self.lines[-2].split()[0])
return output
def load(self, program):
self.program = program
self.program_path = os.path.abspath(program)
# Load the program
command = 'file {0}'.format(self.program)
self._run_command(command, False, False)
self.line_no = -1
self.file = None
self.function = None
print('load', self.file, self.function, self.line_no)
def start(self):
# Start the program and breakpoint on the first line
command = 'start'
output = self._run_command(command, True, True)
self.file = between(output, 'file', ',').strip()
self._run_command('target record-full', False, False)
print('start', self.file, self.function, self.line_no)
def get_variable_value(self, name):
command = 'print {0}'.format(name)
output = self._run_command(command, False, False)
value = between(output, '=', "\n").strip()
return value
def set_variable_value(self, name, value):
command = 'print {0}={1}'.format(name, value)
output = self._run_command(command, False, False)
value = between(output, '=', "\n").strip()
return value
def step_to_line(self, line):
command = 'next'
# Check for a line above the current line
if line < self.line_no:
print("Can't step from line {0} to line {1}. Exiting ...".format(self.line_no, line))
exit(1)
while self.line_no < line:
self._run_command(command, True, True)
# Check for stepping over the desired line
if self.line_no > line:
print("Tried to step to line {0} but ended up on line {1}. Exiting ...".format(line, self.line_no))
exit(1)
print('step_to_line', self.file, self.function, self.line_no)
def step_forward(self, steps=1):
command = 'next'
for n in range(steps):
self._run_command(command, True, True)
print('step_forward', self.file, self.function, self.line_no)
def step_back(self, steps=1):
command = 'reverse-next'
for n in range(steps):
self._run_command(command, True, True)
print('step_back', self.file, self.function, self.line_no)
def step_in(self):
command = 'step'
output = self._run_command(command, True, True)
print('step_in', self.file, self.function, self.line_no)
def locals(self):
variables = {}
# Get the name and value for all the local variables
command = 'info locals'
output = self._run_command(command, False, False)
output = between(output, 'info locals', '(gdb)').strip()
for line in output.split('\r\n'):
name, value = line.split(' = ')
variables[name] = { 'value' : value }
# Get the types for all the local variables
for name, attr in variables.items():
command = 'ptype {0}'.format(name)
output = self._run_command(command, False, False)
output = after(output.split('\r\n')[1], ' = ')
attr['type'] = output
# Convert any non string values
for name, attr in variables.items():
value = to_python_value(attr['type'], attr['value'])
attr['value'] = value
'''
print('locals:')
for name, attr in variables.items():
print(' ' + name, attr['type'], attr['value'])
'''
return variables
if __name__ == '__main__':
debugger = Debugger()
debugger.load('main')
debugger.start()
debugger.step_to_line(21)
value = debugger.get_variable_value('f')
print('f = {0}'.format(value))
value = debugger.set_variable_value('f', 5)
print('f = {0}'.format(value))
debugger.step_to_line(41)
debugger.step_in()
debugger.step_to_line(12)
name = debugger.locals()['name']
print('name: "{0}", {1}'.format(name['value'], name['type']))
debugger.step_back()
name = debugger.locals()['name']
print('name: "{0}", {1}'.format(name['value'], name['type']))