~launchpad-pqm/launchpad/devel

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
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
# Copyright 2009-2011 Canonical Ltd.  This software is licensed under the
# GNU Affero General Public License version 3 (see the file LICENSE).

"""External bugtrackers."""

__metaclass__ = type
__all__ = [
    'BATCH_SIZE_UNLIMITED',
    'BugNotFound',
    'BugTrackerAuthenticationError',
    'BugTrackerConnectError',
    'BugWatchUpdateError',
    'BugWatchUpdateWarning',
    'ExternalBugTracker',
    'InvalidBugId',
    'LookupTree',
    'PrivateRemoteBug',
    'UnknownBugTrackerTypeError',
    'UnknownRemoteImportanceError',
    'UnknownRemoteStatusError',
    'UnknownRemoteValueError',
    'UnparsableBugData',
    'UnparsableBugTrackerVersion',
    'UnsupportedBugTrackerVersion',
    ]


import urllib
import urllib2

from zope.interface import implements

from canonical.config import config
from lp.bugs.adapters import treelookup
from lp.bugs.interfaces.bugtask import BugTaskStatus
from lp.bugs.interfaces.externalbugtracker import (
    IExternalBugTracker,
    ISupportsBackLinking,
    ISupportsCommentImport,
    ISupportsCommentPushing,
    )
from lp.services.database.isolation import ensure_no_transaction

# The user agent we send in our requests
LP_USER_AGENT = "Launchpad Bugscraper/0.2 (https://bugs.launchpad.net/)"

# To signify that all bug watches should be checked in a single run.
BATCH_SIZE_UNLIMITED = 0


#
# Errors.
#

class BugWatchUpdateError(Exception):
    """Base exception for when we fail to update watches for a tracker."""


class UnknownBugTrackerTypeError(BugWatchUpdateError):
    """Exception class to catch systems we don't have a class for yet."""

    def __init__(self, bugtrackertypename, bugtrackername):
        BugWatchUpdateError.__init__(self)
        self.bugtrackertypename = bugtrackertypename
        self.bugtrackername = bugtrackername

    def __str__(self):
        return self.bugtrackertypename


class UnsupportedBugTrackerVersion(BugWatchUpdateError):
    """The bug tracker version is not supported."""


class UnparsableBugTrackerVersion(BugWatchUpdateError):
    """The bug tracker version could not be parsed."""


class UnparsableBugData(BugWatchUpdateError):
    """The bug tracker provided bug data that could not be parsed."""


class BugTrackerConnectError(BugWatchUpdateError):
    """Exception class to catch misc errors contacting a bugtracker."""

    def __init__(self, url, error):
        BugWatchUpdateError.__init__(self)
        self.url = url
        self.error = str(error)

    def __str__(self):
        return "%s: %s" % (self.url, self.error)


class BugTrackerAuthenticationError(BugTrackerConnectError):
    """Launchpad couldn't authenticate with the remote bugtracker."""


#
# Warnings.
#

class BugWatchUpdateWarning(Exception):
    """An exception representing a warning.

    This is a flag exception for the benefit of the OOPS machinery.
    """

    def __init__(self, message, *args):
        # Require a message.
        Exception.__init__(self, message, *args)


class InvalidBugId(BugWatchUpdateWarning):
    """The bug id wasn't in the format the bug tracker expected.

    For example, Bugzilla and debbugs expect the bug id to be an
    integer.
    """


class BugNotFound(BugWatchUpdateWarning):
    """The bug was not found in the external bug tracker."""


class UnknownRemoteValueError(BugWatchUpdateWarning):
    """A matching Launchpad value could not be found for the remote value."""


class UnknownRemoteImportanceError(UnknownRemoteValueError):
    """The remote bug's importance isn't mapped to a `BugTaskImportance`."""
    field_name = 'importance'


class UnknownRemoteStatusError(UnknownRemoteValueError):
    """The remote bug's status isn't mapped to a `BugTaskStatus`."""
    field_name = 'status'


class PrivateRemoteBug(BugWatchUpdateWarning):
    """Raised when a bug is marked private on the remote bugtracker."""


#
# Everything else.
#

class ExternalBugTracker:
    """Base class for an external bug tracker."""

    implements(IExternalBugTracker)

    batch_size = None
    batch_query_threshold = config.checkwatches.batch_query_threshold
    comment_template = 'default_remotecomment_template.txt'

    def __init__(self, baseurl):
        self.baseurl = baseurl.rstrip('/')
        self.sync_comments = (
            config.checkwatches.sync_comments and (
                ISupportsCommentPushing.providedBy(self) or
                ISupportsCommentImport.providedBy(self) or
                ISupportsBackLinking.providedBy(self)))

    @ensure_no_transaction
    def urlopen(self, request, data=None):
        return urllib2.urlopen(request, data)

    def getExternalBugTrackerToUse(self):
        """See `IExternalBugTracker`."""
        return self

    def getCurrentDBTime(self):
        """See `IExternalBugTracker`."""
        # Returning None means that we don't know that the time is,
        # which is a good default.
        return None

    def getModifiedRemoteBugs(self, bug_ids, last_accessed):
        """See `IExternalBugTracker`."""
        # Return all bugs, since we don't know which have been modified.
        return list(bug_ids)

    def initializeRemoteBugDB(self, bug_ids):
        """See `IExternalBugTracker`."""
        self.bugs = {}
        if len(bug_ids) > self.batch_query_threshold:
            self.bugs = self.getRemoteBugBatch(bug_ids)
        else:
            for bug_id in bug_ids:
                bug_id, remote_bug = self.getRemoteBug(bug_id)
                if bug_id is not None:
                    self.bugs[bug_id] = remote_bug

    def getRemoteBug(self, bug_id):
        """Retrieve and return a single bug from the remote database.

        The bug is returned as a tuple in the form (id, bug). This ensures
        that bug ids are formatted correctly for the current
        ExternalBugTracker. If no data can be found for bug_id, (None,
        None) will be returned.

        A BugTrackerConnectError will be raised if anything goes wrong.
        """
        raise NotImplementedError(self.getRemoteBug)

    def getRemoteBugBatch(self, bug_ids):
        """Retrieve and return a set of bugs from the remote database.

        A BugTrackerConnectError will be raised if anything goes wrong.
        """
        raise NotImplementedError(self.getRemoteBugBatch)

    def getRemoteImportance(self, bug_id):
        """Return the remote importance for the given bug id.

        Raise BugNotFound if the bug can't be found.
        Raise InvalidBugId if the bug id has an unexpected format.
        Raise UnparsableBugData if the bug data cannot be parsed.
        """
        # This method should be overridden by subclasses, so we raise a
        # NotImplementedError if this version of it gets called for some
        # reason.
        raise NotImplementedError(self.getRemoteImportance)

    def getRemoteStatus(self, bug_id):
        """Return the remote status for the given bug id.

        Raise BugNotFound if the bug can't be found.
        Raise InvalidBugId if the bug id has an unexpected format.
        """
        raise NotImplementedError(self.getRemoteStatus)

    def getRemoteProduct(self, remote_bug):
        """Return the remote product for a given bug.

        See `IExternalBugTracker`.
        """
        return None

    def _fetchPage(self, page, data=None):
        """Fetch a page from the remote server.

        A BugTrackerConnectError will be raised if anything goes wrong.
        """
        try:
            return self.urlopen(page, data)
        except (urllib2.HTTPError, urllib2.URLError), val:
            raise BugTrackerConnectError(self.baseurl, val)

    def _getPage(self, page):
        """GET the specified page on the remote HTTP server."""
        # For some reason, bugs.kde.org doesn't allow the regular urllib
        # user-agent string (Python-urllib/2.x) to access their
        # bugzilla, so we send our own instead.
        request = urllib2.Request("%s/%s" % (self.baseurl, page),
                                  headers={'User-agent': LP_USER_AGENT})
        return self._fetchPage(request).read()

    def _post(self, url, data):
        """Post to a given URL."""
        request = urllib2.Request(url, headers={'User-agent': LP_USER_AGENT})
        return self._fetchPage(request, data=data)

    def _postPage(self, page, form, repost_on_redirect=False):
        """POST to the specified page and form.

        :param form: is a dict of form variables being POSTed.
        :param repost_on_redirect: override RFC-compliant redirect handling.
            By default, if the POST receives a redirect response, the
            request to the redirection's target URL will be a GET.  If
            `repost_on_redirect` is True, this method will do a second POST
            instead.  Do this only if you are sure that repeated POST to
            this page is safe, as is usually the case with search forms.
        """
        url = "%s/%s" % (self.baseurl, page)
        post_data = urllib.urlencode(form)

        response = self._post(url, data=post_data)

        if repost_on_redirect and response.url != url:
            response = self._post(response.url, data=post_data)

        return response.read()


class LookupBranch(treelookup.LookupBranch):
    """A lookup branch customised for documenting external bug trackers."""

    def _verify(self):
        """Check the validity of the branch.

        The branch result must be a member of `BugTaskStatus`, or
        another `LookupTree`.

        :raises TypeError: If the branch is invalid.
        """
        if (not isinstance(self.result, treelookup.LookupTree) and
            self.result not in BugTaskStatus):
            raise TypeError(
                'Result is not a member of BugTaskStatus: %r' % (
                    self.result))
        super(LookupBranch, self)._verify()

    def _describe_result(self, result):
        """See `treelookup.LookupBranch._describe_result`."""
        # `result` should be a member of `BugTaskStatus`.
        return result.title


class LookupTree(treelookup.LookupTree):
    """A lookup tree customised for documenting external bug trackers."""

    # See `treelookup.LookupTree`.
    _branch_factory = LookupBranch

    def moinmoin_table(self, titles=None):
        """Return lines of a MoinMoin table that documents self."""
        max_depth = self.max_depth

        def line(columns):
            return '|| %s ||' % ' || '.join(columns)

        if titles is not None:
            if len(titles) != (max_depth + 1):
                raise ValueError(
                    "Table of %d columns needs %d titles, but %d given." % (
                        (max_depth + 1), (max_depth + 1), len(titles)))
            yield line("'''%s'''" % (title) for title in titles)

        def diff(last, now):
            """Yields elements from `now` when different to those in `last`.

            When the elements are the same, this yields the empty
            string.

            Once a difference has been found, all subsequent elements
            in `now` are returned.

            This results in a good looking and readable mapping table;
            it gives a good balance between being explicit and
            avoiding repetition.
            """
            all = False
            for elem_last, elem_now in zip(last, now):
                if all:
                    yield elem_now
                elif elem_last == elem_now:
                    yield ''
                else:
                    # We found a difference. Force the return of all
                    # subsequent elements in `now`.
                    all = True
                    yield elem_now

        last_columns = None
        for elems in self.flatten():
            path, result = elems[:-1], elems[-1]
            columns = []
            for branch in path:
                if branch.is_default:
                    columns.append("* (''any'')")
                else:
                    columns.append(
                        " '''or''' ".join(str(key) for key in branch.keys))
            columns.extend(["- (''ignored'')"] * (max_depth - len(path)))
            columns.append(result.title)
            if last_columns is None:
                yield line(columns)
            else:
                yield line(list(diff(last_columns, columns)))
            last_columns = columns