summaryrefslogtreecommitdiffstats
path: root/abrt-triage.py
blob: 70834d67d4a5d49b42b7f86a98ad01f0bb25b16e (plain)
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
288
289
#!/usr/bin/env python
from pprint import pprint
import re

from backtrace import Backtrace

class Bug(object):
    def __init__(self, bz, id):
        self.bz = bz
        self.id = id
        self._bug = bz.getbug(id)

    def get_backtrace(self):
        # Get the backtrace associated with this ABRT bug, as a Backtrace instance
        a = self._get_backtrace_info()
        if a is None:
            raise NoBacktrace()
        return Backtrace(self.bz.openattachment(a['id']).read())

    def _get_backtrace_info(self):
        for a in self._bug.attachments:
            if a['filename'] == 'backtrace':
                return a

    def get_script(self):
        '''Parse the ABRT report, extracting the script'''
        # print repr(self._bug.longdescs[0]['body'])
        for line in self._bug.longdescs[0]['body'].splitlines():
            m = re.match('cmdline: (.+)', line)
            if m:
                for arg in m.group(1).split()[1:]:
                    if arg.startswith('/'):
                        return arg

    def get_abrt_reason(self):
        for line in self._bug.longdescs[0]['body'].splitlines():
            m = re.match('reason: (.+)', line)
            if m:
                return m.group(1)

    def get_abrt_signal(self):
        reason = self.get_abrt_reason()
        if reason is None:
            return

        m = re.match('Process was terminated by signal ([0-9]+)', reason)
        if m:
            sig = int(m.group(1))
            import signal
            for signame in dir(signal):
                if signame.startswith('SIG'):
                    if getattr(signal, signame) == sig:
                        return signame
            
class NoBacktrace(Exception):
    pass

class UnsupportedComponent(Exception):
    def __init__(self, path, url):
        self.path = path
        self.url = url

def describe_thread(bt, thread):
    if len(bt._threads) == 1:
        return "the program's single thread"
    else:
        return "thread #%i" % thread.index


def characterize_bt(bt, thread, script):
    '''Get (newsubject, commentblurb)'''
    bt_blurb = 'Looking at the backtrace, it looks like '
    function = None
    for (i, frame) in enumerate(thread.framelist):
        # Get function name for deepest point in stack that has one:
        if function is None or function == '??' or function == 'vtable':            
            function = frame.function

        if frame.function == 'abort':
            # print 'got abort!'
            for j in range(i, len(thread.framelist)):
                if thread.framelist[j].function == 'gdk_x_error':
                    return ('Fatal error in gdk_x_error running %s' % script, 
                            (bt_blurb + 'a fatal error happened in frame %(f_idx)s of %(thread)s inside gdk_x_error.'
                             % dict(thread = describe_thread(bt, thread),
                                    f_idx = j)
                             )
                            )

                if thread.framelist[j].function == '__assert_fail':
                    return (('Assertion failure in %s inside %s running %s'
                             % (thread.framelist[j+1].function,
                                thread.framelist[j+2].function,
                                script)
                             ),
                            (bt_blurb + 'an assertion failed inside frame %(f_idx)s of %(thread)s inside %(function)s.'
                             % dict(thread = describe_thread(bt, thread),
                                    f_idx = j,
                                    function = thread.framelist[j+1].function)
                             )
                            )

        if frame.function in ['_XError', '__fortify_fail']:
            function = frame.function
 
        if frame.function in ['IA__g_assertion_message_expr']:
            function = thread.framelist[i+1].function

        if frame.function == 'Py_FatalError':
            if thread.framelist[i+1].function == 'PyEval_RestoreThread':
                    return (('Incorrect thread usage in %s running %s'
                             % (thread.framelist[i+2].function,
                                script)
                             ),
                            (bt_blurb + "an incorrect usage of Python's internal thread API was detected in %(function)s in frame #%(f_idx)s of %(thread)s"
                             % dict(function = thread.framelist[i+2].function,
                                    thread = describe_thread(bt, thread),
                                    f_idx = i+2)
                             )
                            )

        if frame.info == '() from /usr/lib/flash-plugin/libflashplayer.so':
            raise UnsupportedComponent('/usr/lib/flash-plugin/libflashplayer.so', 
                                       'https://fedoraproject.org/wiki/ForbiddenItems#Adobe_Flash_Player')

    bt_blurb += 'the problem occurred in %s' % describe_thread(bt, thread)
    if function:
        bt_blurb += ' in %s' % function

    if function:
        summary = 'Fatal error in "%s" in %s' % (function, script)
    else:
        summary = 'Fatal error in %s' % script

    return (summary, bt_blurb)


def what_provides_file(path):
    #from subprocess import Popen, PIPE
    #p = Popen(['yum', 'whatprovides', path], stdout=PIPE)
    #(stdout, stderr) = p.communicate()
    #print repr(stdout)
    import yum
    for pkg, path in yum.YumBase().searchPackageProvides([path]).iteritems():
        #pprint(pkg.__dict__)
        return pkg.name # this is the subpackage, not the srpm

class Change(object):
    '''
    Class representing a change to be made in Bugzilla.

    Somewhat analogous to a patch to be applied to a source tree.

    Currently only supports printing, but eventually ought to support being
    applied to the bug.

    I want to capture a change as an entity so that you can always do human
    review of the change, rather than automatically pushing blindly via XML-RPC
    '''
    def __init__(self, 
                 newsummary=None,
                 newcomponent=None,
                 comment=None,
                 duplicate_id=None):
        self.comment = comment
        self.newsummary = newsummary
        self.newcomponent = newcomponent
        self.duplicate_id = duplicate_id

    def __str__(self):
        result = ''
        if self.newsummary:
            result += '---- BEGIN SUMMARY ----\n'
            result += self.newsummary
            result += '\n---- END SUMMARY ----\n'

        if self.newcomponent:
            result += '---- BEGIN COMPONENT ----\n'
            result += '"python" -> "%s"\n' % self.newcomponent # is there a way to do this via XML-RPC?
            result += '---- END COMPONENT ----\n'

        if self.comment:
            result += '---- BEGIN COMMENT ----\n'
            result += self.comment
            result += '\n---- END COMMENT ----\n'

        if self.duplicate_id:
            result += '---- MARK AS DUPLICATE OF: %i ----\n' % self.duplicate_id

        return result

class Duplicate(Change):
    def __init__(self, bz, other_bug_id):
        Change.__init__(self, 
                        comment=(
'''Thank you for the bug report. 

This particular bug has already been reported into our bug tracking system, but please feel free to report any further bugs you find.'''),
                        duplicate_id = other_bug_id
                        )                 

def get_change(bz, bug_id):
    bug = Bug(bz, bug_id)

    signal = bug.get_abrt_signal()
    if signal:
        issue = signal
    else:
        issue = 'Crash'

    script = bug.get_script() 
    # script = '/usr/bin/deluged'
    if script:
        pkg = what_provides_file(script)
    else:
        pkg = '(unknown)'

    try:
        bt = bug.get_backtrace()
        (thread, frame) = bt.get_crash_site()
        (newsummary, bt_blurb) = characterize_bt(bt, thread, script)

    except NoBacktrace, e:
        return Change(newsummary='%s running %s' % (issue, script),
                      newcomponent = pkg,
                      comment=('''Thank you for the bug report. 

Unfortunately, without a stack trace from the crash it is impossible to determine what caused the crash. Please see http://fedoraproject.org/wiki/StackTraces for more information about getting a useful stack trace with debugging symbols. Even if you cannot reproduce this crash at will, you can prepare your system now to produce a good stack trace the next time you experience the crash. 

Thank you.
''')
                      )
    except UnsupportedComponent, e:
        return Change(newsummary='%s in %s' % (issue, e.path),
                      comment=('''Thank you for the bug report.

Unfortunately the problem appears to be in %(path)s. 

The Fedora Project only ships and maintains Free and Open Source software. Issues such as these are beyond the control of Fedora developers.  See %(url)s for more information

You may find assistance in the Fedora community support forums or mailing list, or you might consider using a commercially supported product.''' 
                               % dict(path=e.path,
                                      url=e.url)
                               )
                      )

    comment = '''Thank you for reporting this bug.

How reproducable is this problem?  If you run the program from a terminal, is an error message printed?

What version of %(pkg)s do you have installed?

%(bt_blurb)s

Reassigning component from "python" to "%(pkg)s"
''' % dict(pkg=pkg,
           bt_blurb = bt_blurb)

    if newsummary == 'Fatal error in "_XError" in /usr/share/virt-manager/virt-manager.py':
        return Duplicate(bz, 540810)

    ch = Change(newsummary = newsummary,
                newcomponent = pkg,
                comment = comment
                )
    
    print ch
    print '---- BEGIN THREAD ----'
    for id in sorted(thread.frames.keys()):
        f = thread.frames[id]
        if f.address:
            addr = hex(f.address)
        else:
            addr = None
        print '#%i %s %s' % (id, addr, f.function)
    print '---- END THREAD ----'

def main():
    import bugzilla
    bz=bugzilla.Bugzilla(url='https://bugzilla.redhat.com/xmlrpc.cgi')
    import sys
    bug_id = int(sys.argv[1])
    print '---- CHANGES FOR BUG %i ----' % bug_id
    print get_change(bz, bug_id)

main()



OSZAR »