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
|
# Copyright 2010-2011 Canonical Ltd. This software is licensed under the
# GNU Affero General Public License version 3 (see the file LICENSE).
"""Tests for the Bugzilla BugTracker."""
__metaclass__ = type
from StringIO import StringIO
from xml.parsers.expat import ExpatError
import xmlrpclib
import transaction
from canonical.testing.layers import ZopelessLayer
from lp.bugs.externalbugtracker.base import UnparsableBugData
from lp.bugs.externalbugtracker.bugzilla import Bugzilla
from lp.testing import (
TestCase,
TestCaseWithFactory,
)
from lp.testing.fakemethod import FakeMethod
class TestBugzillaGetRemoteBugBatch(TestCaseWithFactory):
"""Test POSTs to Bugzilla's bug-search page."""
layer = ZopelessLayer
base_url = "http://example.com/"
def _makeInstrumentedBugzilla(self, page=None, content=None):
"""Create a `Bugzilla` with a fake urlopen."""
if page is None:
page = self.factory.getUniqueString()
bugzilla = Bugzilla(self.base_url)
if content is None:
content = "<bugzilla>%s</bugzilla>" % (
self.factory.getUniqueString())
fake_page = StringIO(content)
fake_page.url = self.base_url + page
bugzilla.urlopen = FakeMethod(result=fake_page)
return bugzilla
def test_post_to_search_form_does_not_crash(self):
page = self.factory.getUniqueString()
bugzilla = self._makeInstrumentedBugzilla(page)
bugzilla.getRemoteBugBatch([])
def test_repost_on_redirect_does_not_crash(self):
bugzilla = self._makeInstrumentedBugzilla()
bugzilla.getRemoteBugBatch([])
def test_reports_invalid_search_result(self):
# Sometimes bug searches may go wrong, yielding an HTML page
# instead. getRemoteBugBatch rejects and reports search results
# of the wrong page type.
result_text = """
<html>
<body>
<h1>This is not actually a search result.</h1>
</body>
</html>
"""
bugzilla = self._makeInstrumentedBugzilla(content=result_text)
self.assertRaises(UnparsableBugData, bugzilla.getRemoteBugBatch, [])
class TestBugzillaSniffing(TestCase):
"""Tests for sniffing remote Bugzilla capabilities."""
layer = ZopelessLayer
def test_expat_error(self):
# If an `ExpatError` is raised when sniffing for XML-RPC capabilities,
# it is taken to mean that no XML-RPC capabilities exist.
bugzilla = Bugzilla("http://not.real")
class Transport(xmlrpclib.Transport):
def request(self, host, handler, request, verbose=None):
raise ExpatError("mismatched tag")
bugzilla._test_xmlrpc_proxy = xmlrpclib.ServerProxy(
'%s/xmlrpc.cgi' % bugzilla.baseurl, transport=Transport())
# We must abort any existing transactions before attempting to call
# the _remoteSystemHas*() functions because they require that none be
# in progress.
transaction.abort()
self.assertFalse(bugzilla._remoteSystemHasBugzillaAPI())
self.assertFalse(bugzilla._remoteSystemHasPluginAPI())
|