~launchpad-pqm/launchpad/devel

13597.1.1 by Jeroen Vermeulen
Get rid of factory.make[Ubuntu]DistroRelease. And some lint.
1
# Copyright 2009-2011 Canonical Ltd.  This software is licensed under the
8687.15.17 by Karl Fogel
Add the copyright header block to the rest of the files under lib/lp/.
2
# GNU Affero General Public License version 3 (see the file LICENSE).
7055.4.4 by Jonathan Lange
Move the fakes out of the test module.
3
4
"""In-memory doubles of core codehosting objects."""
5
6
__metaclass__ = type
7
__all__ = [
7055.5.4 by Jonathan Lange
Eschew 'fake' and 'real' for 'inmemory' and 'db'.
8
    'InMemoryFrontend',
10100.1.14 by Jonathan Lange
iter_split is in services.
9
    'XMLRPCWrapper',
7055.4.4 by Jonathan Lange
Move the fakes out of the test module.
10
    ]
11
8312.3.5 by Michael Hudson
mostly copy and pasted tests for the xml-rpc endpoint
12
import operator
7055.4.17 by Jonathan Lange
And now, getDefaultStackedOnBranch works.
13
from xmlrpclib import Fault
14
11403.1.4 by Henning Eggers
Reformatted imports using format-imports script r32.
15
from bzrlib.urlutils import (
16
    escape,
17
    unescape,
18
    )
11583.3.15 by Jonathan Lange
Use the DeferredBlockingProxy in codehosting.
19
from twisted.internet import defer
11403.1.4 by Henning Eggers
Reformatted imports using format-imports script r32.
20
from zope.component import (
21
    adapter,
22
    getSiteManager,
23
    )
8031.2.4 by Jonathan Lange
Use IBranchTarget() in the test, rather than directly getting the stacking
24
from zope.interface import implementer
25
7055.4.4 by Jonathan Lange
Move the fakes out of the test module.
26
from canonical.database.constants import UTC_NOW
12442.2.9 by j.c.sackett
Ran import reformatter per review.
27
from canonical.launchpad.xmlrpc import faults
13662.5.3 by Aaron Bentley
Handle invalid source package names.
28
from lp.app.validators import (
29
    LaunchpadValidationError,
30
    )
31
from lp.app.validators.name import valid_name
11403.1.4 by Henning Eggers
Reformatted imports using format-imports script r32.
32
from lp.code.bzr import (
33
    BranchFormat,
34
    ControlFormat,
35
    RepositoryFormat,
36
    )
37
from lp.code.enums import BranchType
10379.2.3 by Michael Hudson
acquireBranchToPull changes
38
from lp.code.errors import UnknownBranchTypeError
8555.2.2 by Tim Penhey
Move enum -> enums.
39
from lp.code.interfaces.branch import IBranch
8138.1.2 by Jonathan Lange
Run migrater over lp.code. Many tests broken and imports failing.
40
from lp.code.interfaces.branchtarget import IBranchTarget
41
from lp.code.interfaces.codehosting import (
11403.1.4 by Henning Eggers
Reformatted imports using format-imports script r32.
42
    BRANCH_ALIAS_PREFIX,
12707.7.6 by Tim Penhey
Created a function to do the basic alias assembly.
43
    branch_id_alias,
12707.4.7 by Tim Penhey
Fix the inmemory xmlrpc mock.
44
    BRANCH_ID_ALIAS_PREFIX,
11403.1.4 by Henning Eggers
Reformatted imports using format-imports script r32.
45
    BRANCH_TRANSPORT,
46
    CONTROL_TRANSPORT,
47
    LAUNCHPAD_ANONYMOUS,
48
    LAUNCHPAD_SERVICES,
49
    )
11121.5.1 by Jonathan Lange
Begin supporting +branch over codehosting.
50
from lp.code.interfaces.linkedbranch import ICanHasLinkedBranch
11403.1.4 by Henning Eggers
Reformatted imports using format-imports script r32.
51
from lp.code.model.branchnamespace import BranchNamespaceSet
52
from lp.code.model.branchtarget import (
53
    PackageBranchTarget,
54
    ProductBranchTarget,
55
    )
9590.3.3 by Michael Hudson
start addressing review comments
56
from lp.code.xmlrpc.codehosting import datetime_from_tuple
13662.5.3 by Aaron Bentley
Handle invalid source package names.
57
from lp.registry.errors import InvalidName
9113.7.4 by Jonathan Lange
Update many imports of pocket.
58
from lp.registry.interfaces.pocket import PackagePublishingPocket
10100.1.14 by Jonathan Lange
iter_split is in services.
59
from lp.services.utils import iter_split
11121.5.29 by Tim Penhey
5 out of 7 failing inmemory tests now passing.
60
from lp.services.xmlrpc import LaunchpadFault
8400.1.8 by Tim Penhey
Fix some imports.
61
from lp.testing.factory import ObjectFactory
7055.4.4 by Jonathan Lange
Move the fakes out of the test module.
62
63
7055.4.12 by Jonathan Lange
Start to get a real fake structure.
64
class FakeStore:
7055.5.11 by Jonathan Lange
Add a bunch of docstrings.
65
    """Fake store that implements find well enough to pass tests.
66
67
    This is needed because some of the `test_codehosting` tests use
68
    assertSqlAttributeEqualsDate, which relies on ORM behaviour. Here, we fake
69
    enough of the ORM to pass the tests.
70
    """
7055.4.12 by Jonathan Lange
Start to get a real fake structure.
71
72
    def __init__(self, object_set):
73
        self._object_set = object_set
74
75
    def find(self, cls, **kwargs):
7055.5.11 by Jonathan Lange
Add a bunch of docstrings.
76
        """Implement Store.find that takes two attributes: id and one other.
77
78
        This is called by `assertSqlAttributeEqualsDate`, which relies on
79
        `find` returning either a single match or None. Returning a match
80
        implies that the given attribute has the expected value. Returning
81
        None implies the opposite.
82
        """
7055.4.12 by Jonathan Lange
Start to get a real fake structure.
83
        branch_id = kwargs.pop('id')
84
        assert len(kwargs) == 1, (
85
            'Expected only id and one other. Got %r' % kwargs)
86
        attribute = kwargs.keys()[0]
87
        expected_value = kwargs[attribute]
88
        branch = self._object_set.get(branch_id)
89
        if branch is None:
8447.4.27 by Michael Hudson
fix remaining tests
90
            return FakeResult(None)
7055.4.12 by Jonathan Lange
Start to get a real fake structure.
91
        if expected_value is getattr(branch, attribute):
8447.4.27 by Michael Hudson
fix remaining tests
92
            return FakeResult(branch)
7055.4.12 by Jonathan Lange
Start to get a real fake structure.
93
        return None
94
95
8447.4.27 by Michael Hudson
fix remaining tests
96
class FakeResult:
97
    """As with FakeStore, just enough of a result to pass tests."""
98
99
    def __init__(self, branch):
100
        self._branch = branch
101
102
    def one(self):
103
        return self._branch
104
105
7055.4.12 by Jonathan Lange
Start to get a real fake structure.
106
class FakeDatabaseObject:
7055.4.13 by Jonathan Lange
Shuffle things around a bit so that the logic is clearer.
107
    """Base class for fake database objects."""
7055.4.12 by Jonathan Lange
Start to get a real fake structure.
108
109
    def _set_object_set(self, object_set):
110
        self.__storm_object_info__ = {'store': FakeStore(object_set)}
111
112
7055.4.13 by Jonathan Lange
Shuffle things around a bit so that the logic is clearer.
113
class ObjectSet:
114
    """Generic set of database objects."""
115
116
    def __init__(self):
7055.5.2 by Jonathan Lange
Make object sets use dicts internally so that ids are stable.
117
        self._objects = {}
118
        self._next_id = 1
7055.4.13 by Jonathan Lange
Shuffle things around a bit so that the logic is clearer.
119
120
    def _add(self, db_object):
7055.5.2 by Jonathan Lange
Make object sets use dicts internally so that ids are stable.
121
        self._objects[self._next_id] = db_object
122
        db_object.id = self._next_id
123
        self._next_id += 1
7055.4.13 by Jonathan Lange
Shuffle things around a bit so that the logic is clearer.
124
        db_object._set_object_set(self)
125
        return db_object
126
7055.5.2 by Jonathan Lange
Make object sets use dicts internally so that ids are stable.
127
    def _delete(self, db_object):
128
        del self._objects[db_object.id]
129
7055.4.13 by Jonathan Lange
Shuffle things around a bit so that the logic is clearer.
130
    def __iter__(self):
7055.5.2 by Jonathan Lange
Make object sets use dicts internally so that ids are stable.
131
        return self._objects.itervalues()
7055.4.13 by Jonathan Lange
Shuffle things around a bit so that the logic is clearer.
132
7055.10.11 by Jonathan Lange
Test write permissions thoroughly and simplify the inmemory version somewhat.
133
    def _find(self, **kwargs):
134
        [(key, value)] = kwargs.items()
135
        for obj in self:
136
            if getattr(obj, key) == value:
137
                return obj
138
7055.4.13 by Jonathan Lange
Shuffle things around a bit so that the logic is clearer.
139
    def get(self, id):
7055.5.2 by Jonathan Lange
Make object sets use dicts internally so that ids are stable.
140
        return self._objects.get(id, None)
7055.4.13 by Jonathan Lange
Shuffle things around a bit so that the logic is clearer.
141
142
    def getByName(self, name):
7055.10.11 by Jonathan Lange
Test write permissions thoroughly and simplify the inmemory version somewhat.
143
        return self._find(name=name)
7055.4.13 by Jonathan Lange
Shuffle things around a bit so that the logic is clearer.
144
145
11121.5.38 by Tim Penhey
Make sure that the branch doesn't exist after a link failure.
146
class BranchSet(ObjectSet):
147
    """Extra find methods for branches."""
148
149
    def getByUniqueName(self, unique_name):
150
        return self._find(unique_name=unique_name)
151
152
7362.12.24 by Jonathan Lange
Restore change that somehow got lost.
153
class FakeSourcePackage:
154
    """Fake ISourcePackage."""
155
156
    def __init__(self, sourcepackagename, distroseries):
157
        self.sourcepackagename = sourcepackagename
158
        self.distroseries = distroseries
159
8031.4.9 by Jonathan Lange
Get the in memory versions passing.
160
    def __hash__(self):
161
        return hash((self.sourcepackagename.id, self.distroseries.id))
162
163
    def __eq__(self, other):
164
        return (self.sourcepackagename.id == other.sourcepackagename.id
165
                and self.distroseries.id == other.distroseries.id)
166
167
    def __ne__(self, other):
168
        return not (self == other)
169
7362.13.3 by Jonathan Lange
Use distribution property more effectively.
170
    @property
171
    def distribution(self):
7362.13.15 by Jonathan Lange
Guard against distroseries being None
172
        if self.distroseries is not None:
173
            return self.distroseries.distribution
174
        else:
175
            return None
7362.13.3 by Jonathan Lange
Use distribution property more effectively.
176
8031.4.9 by Jonathan Lange
Get the in memory versions passing.
177
    @property
178
    def development_version(self):
179
        name = '%s-devel' % self.distribution.name
180
        dev_series = self._distroseries_set.getByName(name)
181
        if dev_series is None:
182
            dev_series = FakeDistroSeries(name, self.distribution)
183
            self._distroseries_set._add(dev_series)
184
        return self.__class__(self.sourcepackagename, dev_series)
185
186
    @property
187
    def path(self):
188
        return '%s/%s/%s' % (
189
            self.distribution.name,
190
            self.distroseries.name,
191
            self.sourcepackagename.name)
192
193
    def getBranch(self, pocket):
194
        return self.distroseries._linked_branches.get(
195
            (self, pocket), None)
196
197
    def setBranch(self, pocket, branch, registrant):
198
        self.distroseries._linked_branches[self, pocket] = branch
199
200
13662.5.1 by Aaron Bentley
Pushing to non-existant sourcepackagename creates.
201
class SourcePackageNameSet(ObjectSet):
202
203
    def new(self, name_string):
13662.5.3 by Aaron Bentley
Handle invalid source package names.
204
        if not valid_name(name_string):
205
            raise InvalidName(name_string)
13662.5.1 by Aaron Bentley
Pushing to non-existant sourcepackagename creates.
206
        return self._add(FakeSourcePackageName(name_string))
207
208
8031.4.9 by Jonathan Lange
Get the in memory versions passing.
209
@adapter(FakeSourcePackage)
210
@implementer(IBranchTarget)
211
def fake_source_package_to_branch_target(fake_package):
212
    return PackageBranchTarget(fake_package)
213
7362.12.24 by Jonathan Lange
Restore change that somehow got lost.
214
7055.4.12 by Jonathan Lange
Start to get a real fake structure.
215
class FakeBranch(FakeDatabaseObject):
7055.5.11 by Jonathan Lange
Add a bunch of docstrings.
216
    """Fake branch object."""
7055.4.12 by Jonathan Lange
Start to get a real fake structure.
217
7055.4.17 by Jonathan Lange
And now, getDefaultStackedOnBranch works.
218
    def __init__(self, branch_type, name, owner, url=None, product=None,
7362.9.13 by Jonathan Lange
Add a test for creating a sourcepackage branch via createBranch.
219
                 stacked_on=None, private=False, registrant=None,
220
                 distroseries=None, sourcepackagename=None):
7055.4.4 by Jonathan Lange
Move the fakes out of the test module.
221
        self.branch_type = branch_type
222
        self.last_mirror_attempt = None
223
        self.last_mirrored = None
224
        self.last_mirrored_id = None
225
        self.next_mirror_time = None
226
        self.url = url
227
        self.mirror_failures = 0
7055.4.17 by Jonathan Lange
And now, getDefaultStackedOnBranch works.
228
        self.name = name
229
        self.owner = owner
7055.4.4 by Jonathan Lange
Move the fakes out of the test module.
230
        self.stacked_on = None
231
        self.mirror_status_message = None
232
        self.stacked_on = stacked_on
233
        self.private = private
7055.4.15 by Jonathan Lange
Make the tests pass again.
234
        self.product = product
7055.4.18 by Jonathan Lange
Implement createBranch
235
        self.registrant = registrant
7362.9.16 by Jonathan Lange
Merge lower thread
236
        self._mirrored = False
7362.9.13 by Jonathan Lange
Add a test for creating a sourcepackage branch via createBranch.
237
        self.distroseries = distroseries
238
        self.sourcepackagename = sourcepackagename
7055.4.15 by Jonathan Lange
Make the tests pass again.
239
7055.4.17 by Jonathan Lange
And now, getDefaultStackedOnBranch works.
240
    @property
241
    def unique_name(self):
242
        if self.product is None:
7362.9.13 by Jonathan Lange
Add a test for creating a sourcepackage branch via createBranch.
243
            if self.distroseries is None:
244
                product = '+junk'
245
            else:
246
                product = '%s/%s/%s' % (
247
                    self.distroseries.distribution.name,
248
                    self.distroseries.name,
249
                    self.sourcepackagename.name)
7055.4.17 by Jonathan Lange
And now, getDefaultStackedOnBranch works.
250
        else:
251
            product = self.product.name
252
        return '~%s/%s/%s' % (self.owner.name, product, self.name)
253
7055.4.15 by Jonathan Lange
Make the tests pass again.
254
    def getPullURL(self):
8312.3.8 by Michael Hudson
return the branch type from the xml-rpc method too
255
        return 'lp-fake:///' + self.unique_name
256
257
    @property
258
    def target(self):
259
        if self.product is None:
260
            if self.distroseries is None:
261
                target = self.owner
262
            else:
263
                target = self.sourcepackage
264
        else:
265
            target = self.product
266
        return IBranchTarget(target)
7055.4.4 by Jonathan Lange
Move the fakes out of the test module.
267
268
    def requestMirror(self):
269
        self.next_mirror_time = UTC_NOW
270
271
7055.4.16 by Jonathan Lange
Start running the filesystem tests against a fake. They don't pass yet.
272
class FakePerson(FakeDatabaseObject):
7055.5.11 by Jonathan Lange
Add a bunch of docstrings.
273
    """Fake person object."""
14449.6.2 by Curtis Hovey
Updated templates to use is_team property.
274
    is_team = False
7055.4.16 by Jonathan Lange
Start running the filesystem tests against a fake. They don't pass yet.
275
7055.4.17 by Jonathan Lange
And now, getDefaultStackedOnBranch works.
276
    def __init__(self, name):
277
        self.name = self.displayname = name
7055.4.16 by Jonathan Lange
Start running the filesystem tests against a fake. They don't pass yet.
278
7055.5.3 by Jonathan Lange
Nail team ownership rules down.
279
    def inTeam(self, person_or_team):
280
        if self is person_or_team:
281
            return True
14449.6.1 by Curtis Hovey
Remove isTeam(). Replace calls with .is_team.
282
        if not person_or_team.is_team:
7055.5.3 by Jonathan Lange
Nail team ownership rules down.
283
            return False
284
        return self in person_or_team._members
285
286
287
class FakeTeam(FakePerson):
7055.5.11 by Jonathan Lange
Add a bunch of docstrings.
288
    """Fake team."""
14449.6.2 by Curtis Hovey
Updated templates to use is_team property.
289
    is_team = True
7055.5.3 by Jonathan Lange
Nail team ownership rules down.
290
291
    def __init__(self, name, members=None):
292
        super(FakeTeam, self).__init__(name)
293
        if members is None:
294
            self._members = []
295
        else:
296
            self._members = list(members)
297
7055.4.16 by Jonathan Lange
Start running the filesystem tests against a fake. They don't pass yet.
298
7055.4.15 by Jonathan Lange
Make the tests pass again.
299
class FakeProduct(FakeDatabaseObject):
7055.5.11 by Jonathan Lange
Add a bunch of docstrings.
300
    """Fake product."""
7055.4.15 by Jonathan Lange
Make the tests pass again.
301
11121.5.29 by Tim Penhey
5 out of 7 failing inmemory tests now passing.
302
    def __init__(self, name, owner):
7055.4.17 by Jonathan Lange
And now, getDefaultStackedOnBranch works.
303
        self.name = name
11121.5.29 by Tim Penhey
5 out of 7 failing inmemory tests now passing.
304
        self.owner = owner
11121.5.1 by Jonathan Lange
Begin supporting +branch over codehosting.
305
        self.bzr_path = name
11121.5.29 by Tim Penhey
5 out of 7 failing inmemory tests now passing.
306
        self.development_focus = FakeProductSeries(self, 'trunk')
11121.5.30 by Tim Penhey
W00t, all tests pass.
307
        self.series = {
308
            'trunk': self.development_focus,
309
            }
310
311
    def getSeries(self, name):
312
        return self.series.get(name, None)
7055.4.15 by Jonathan Lange
Make the tests pass again.
313
314
8031.2.4 by Jonathan Lange
Use IBranchTarget() in the test, rather than directly getting the stacking
315
@adapter(FakeProduct)
316
@implementer(IBranchTarget)
317
def fake_product_to_branch_target(fake_product):
8031.2.11 by Jonathan Lange
Apply review comments
318
    """Adapt a `FakeProduct` to `IBranchTarget`."""
8031.2.4 by Jonathan Lange
Use IBranchTarget() in the test, rather than directly getting the stacking
319
    return ProductBranchTarget(fake_product)
320
321
11121.5.1 by Jonathan Lange
Begin supporting +branch over codehosting.
322
@adapter(FakeProduct)
323
@implementer(ICanHasLinkedBranch)
324
def fake_product_to_can_has_linked_branch(fake_product):
325
    """Adapt a `FakeProduct` to `ICanHasLinkedBranch`."""
11121.5.29 by Tim Penhey
5 out of 7 failing inmemory tests now passing.
326
    return fake_product.development_focus
11121.5.1 by Jonathan Lange
Begin supporting +branch over codehosting.
327
328
7055.4.15 by Jonathan Lange
Make the tests pass again.
329
class FakeProductSeries(FakeDatabaseObject):
7055.5.11 by Jonathan Lange
Add a bunch of docstrings.
330
    """Fake product series."""
7055.4.15 by Jonathan Lange
Make the tests pass again.
331
7675.85.2 by Jonathan Lange
Undo revision generated by step 2 of process.
332
    branch = None
333
11121.5.29 by Tim Penhey
5 out of 7 failing inmemory tests now passing.
334
    def __init__(self, product, name):
335
        self.product = product
336
        self.name = name
337
11121.5.31 by Tim Penhey
More tests and tweaks to make the tests pass.
338
    @property
339
    def bzr_path(self):
340
        if self.product.development_focus is self:
341
            return self.product.name
342
        else:
343
            return "%s/%s" % (self.product.name, self.name)
344
7055.4.15 by Jonathan Lange
Make the tests pass again.
345
11121.5.30 by Tim Penhey
W00t, all tests pass.
346
@adapter(FakeProductSeries)
347
@implementer(ICanHasLinkedBranch)
348
def fake_productseries_to_can_has_linked_branch(fake_productseries):
349
    """Adapt a `FakeProductSeries` to `ICanHasLinkedBranch`."""
350
    return fake_productseries
351
352
7055.4.12 by Jonathan Lange
Start to get a real fake structure.
353
class FakeScriptActivity(FakeDatabaseObject):
7055.5.11 by Jonathan Lange
Add a bunch of docstrings.
354
    """Fake script activity."""
7055.4.4 by Jonathan Lange
Move the fakes out of the test module.
355
356
    def __init__(self, name, hostname, date_started, date_completed):
7055.4.6 by Jonathan Lange
Factor out an object set -- I think this is a good idea.
357
        self.id = self.name = name
7055.4.4 by Jonathan Lange
Move the fakes out of the test module.
358
        self.hostname = hostname
359
        self.date_started = datetime_from_tuple(date_started)
360
        self.date_completed = datetime_from_tuple(date_completed)
361
362
7362.9.13 by Jonathan Lange
Add a test for creating a sourcepackage branch via createBranch.
363
class FakeDistribution(FakeDatabaseObject):
364
365
    def __init__(self, name):
366
        self.name = name
367
368
369
class FakeDistroSeries(FakeDatabaseObject):
370
    """Fake distroseries."""
371
372
    def __init__(self, name, distribution):
373
        self.name = name
374
        self.distribution = distribution
8031.4.9 by Jonathan Lange
Get the in memory versions passing.
375
        self._linked_branches = {}
7362.9.13 by Jonathan Lange
Add a test for creating a sourcepackage branch via createBranch.
376
377
378
class FakeSourcePackageName(FakeDatabaseObject):
379
    """Fake SourcePackageName."""
380
381
    def __init__(self, name):
382
        self.name = name
383
384
7055.4.19 by Jonathan Lange
Make getBranchInformation pass all the tests. We now have a fully fake
385
DEFAULT_PRODUCT = object()
386
387
7055.4.4 by Jonathan Lange
Move the fakes out of the test module.
388
class FakeObjectFactory(ObjectFactory):
389
7362.9.13 by Jonathan Lange
Add a test for creating a sourcepackage branch via createBranch.
390
    def __init__(self, branch_set, person_set, product_set, distribution_set,
391
                 distroseries_set, sourcepackagename_set):
7055.4.4 by Jonathan Lange
Move the fakes out of the test module.
392
        super(FakeObjectFactory, self).__init__()
7055.4.11 by Jonathan Lange
Get rid of the last branch source references.
393
        self._branch_set = branch_set
7055.4.16 by Jonathan Lange
Start running the filesystem tests against a fake. They don't pass yet.
394
        self._person_set = person_set
7055.4.17 by Jonathan Lange
And now, getDefaultStackedOnBranch works.
395
        self._product_set = product_set
7362.9.13 by Jonathan Lange
Add a test for creating a sourcepackage branch via createBranch.
396
        self._distribution_set = distribution_set
397
        self._distroseries_set = distroseries_set
398
        self._sourcepackagename_set = sourcepackagename_set
7055.4.4 by Jonathan Lange
Move the fakes out of the test module.
399
7055.4.15 by Jonathan Lange
Make the tests pass again.
400
    def makeBranch(self, branch_type=None, stacked_on=None, private=False,
7055.4.19 by Jonathan Lange
Make getBranchInformation pass all the tests. We now have a fully fake
401
                   product=DEFAULT_PRODUCT, owner=None, name=None,
7362.12.24 by Jonathan Lange
Restore change that somehow got lost.
402
                   registrant=None, sourcepackage=None):
8312.3.8 by Michael Hudson
return the branch type from the xml-rpc method too
403
        if branch_type is None:
404
            branch_type = BranchType.HOSTED
7055.4.4 by Jonathan Lange
Move the fakes out of the test module.
405
        if branch_type == BranchType.MIRRORED:
406
            url = self.getUniqueURL()
407
        else:
408
            url = None
7055.4.18 by Jonathan Lange
Implement createBranch
409
        if name is None:
410
            name = self.getUniqueString()
7055.4.17 by Jonathan Lange
And now, getDefaultStackedOnBranch works.
411
        if owner is None:
412
            owner = self.makePerson()
7055.4.19 by Jonathan Lange
Make getBranchInformation pass all the tests. We now have a fully fake
413
        if product is DEFAULT_PRODUCT:
414
            product = self.makeProduct()
7055.4.18 by Jonathan Lange
Implement createBranch
415
        if registrant is None:
416
            registrant = self.makePerson()
7362.12.24 by Jonathan Lange
Restore change that somehow got lost.
417
        if sourcepackage is None:
418
            sourcepackagename = None
419
            distroseries = None
420
        else:
421
            sourcepackagename = sourcepackage.sourcepackagename
422
            distroseries = sourcepackage.distroseries
7055.4.18 by Jonathan Lange
Implement createBranch
423
        IBranch['name'].validate(unicode(name))
7055.4.4 by Jonathan Lange
Move the fakes out of the test module.
424
        branch = FakeBranch(
7055.4.18 by Jonathan Lange
Implement createBranch
425
            branch_type, name=name, owner=owner, url=url,
426
            stacked_on=stacked_on, product=product, private=private,
7362.9.13 by Jonathan Lange
Add a test for creating a sourcepackage branch via createBranch.
427
            registrant=registrant, distroseries=distroseries,
428
            sourcepackagename=sourcepackagename)
7055.4.11 by Jonathan Lange
Get rid of the last branch source references.
429
        self._branch_set._add(branch)
7055.4.4 by Jonathan Lange
Move the fakes out of the test module.
430
        return branch
431
7362.12.24 by Jonathan Lange
Restore change that somehow got lost.
432
    def makeAnyBranch(self, **kwargs):
433
        return self.makeProductBranch(**kwargs)
434
8031.4.9 by Jonathan Lange
Get the in memory versions passing.
435
    def makePackageBranch(self, sourcepackage=None, **kwargs):
436
        if sourcepackage is None:
437
            sourcepackage = self.makeSourcePackage()
438
        return self.makeBranch(
439
            product=None, sourcepackage=sourcepackage, **kwargs)
440
7362.12.24 by Jonathan Lange
Restore change that somehow got lost.
441
    def makePersonalBranch(self, owner=None, **kwargs):
442
        if owner is None:
443
            owner = self.makePerson()
444
        return self.makeBranch(
445
            owner=owner, product=None, sourcepackage=None, **kwargs)
446
447
    def makeProductBranch(self, product=None, **kwargs):
448
        if product is None:
449
            product = self.makeProduct()
450
        return self.makeBranch(product=product, sourcepackage=None, **kwargs)
451
7362.9.13 by Jonathan Lange
Add a test for creating a sourcepackage branch via createBranch.
452
    def makeDistribution(self):
453
        distro = FakeDistribution(self.getUniqueString())
454
        self._distribution_set._add(distro)
455
        return distro
456
13597.1.1 by Jeroen Vermeulen
Get rid of factory.make[Ubuntu]DistroRelease. And some lint.
457
    def makeDistroSeries(self):
7362.9.13 by Jonathan Lange
Add a test for creating a sourcepackage branch via createBranch.
458
        distro = self.makeDistribution()
459
        distroseries_name = self.getUniqueString()
460
        distroseries = FakeDistroSeries(distroseries_name, distro)
461
        self._distroseries_set._add(distroseries)
462
        return distroseries
463
464
    def makeSourcePackageName(self):
13662.5.1 by Aaron Bentley
Pushing to non-existant sourcepackagename creates.
465
        return self._sourcepackagename_set.new(self.getUniqueString())
7362.9.13 by Jonathan Lange
Add a test for creating a sourcepackage branch via createBranch.
466
7362.12.24 by Jonathan Lange
Restore change that somehow got lost.
467
    def makeSourcePackage(self, distroseries=None, sourcepackagename=None):
468
        if distroseries is None:
13597.1.1 by Jeroen Vermeulen
Get rid of factory.make[Ubuntu]DistroRelease. And some lint.
469
            distroseries = self.makeDistroSeries()
7362.12.24 by Jonathan Lange
Restore change that somehow got lost.
470
        if sourcepackagename is None:
471
            sourcepackagename = self.makeSourcePackageName()
8031.4.9 by Jonathan Lange
Get the in memory versions passing.
472
        package = FakeSourcePackage(sourcepackagename, distroseries)
473
        package._distroseries_set = self._distroseries_set
474
        return package
7362.12.24 by Jonathan Lange
Restore change that somehow got lost.
475
7055.5.3 by Jonathan Lange
Nail team ownership rules down.
476
    def makeTeam(self, owner):
477
        team = FakeTeam(name=self.getUniqueString(), members=[owner])
478
        self._person_set._add(team)
479
        return team
480
11121.5.38 by Tim Penhey
Make sure that the branch doesn't exist after a link failure.
481
    def makePerson(self, name=None):
482
        if name is None:
483
            name = self.getUniqueString()
484
        person = FakePerson(name=name)
7055.4.16 by Jonathan Lange
Start running the filesystem tests against a fake. They don't pass yet.
485
        self._person_set._add(person)
486
        return person
487
11121.5.29 by Tim Penhey
5 out of 7 failing inmemory tests now passing.
488
    def makeProduct(self, name=None, owner=None):
489
        if name is None:
490
            name = self.getUniqueString()
491
        if owner is None:
492
            owner = self.makePerson()
493
        product = FakeProduct(name, owner)
7055.4.17 by Jonathan Lange
And now, getDefaultStackedOnBranch works.
494
        self._product_set._add(product)
495
        return product
7055.4.15 by Jonathan Lange
Make the tests pass again.
496
11121.5.29 by Tim Penhey
5 out of 7 failing inmemory tests now passing.
497
    def makeProductSeries(self, product, name=None):
498
        if name is None:
499
            name = self.getUniqueString()
11121.5.30 by Tim Penhey
W00t, all tests pass.
500
        series = FakeProductSeries(product, name)
501
        product.series[name] = series
502
        return series
11121.5.29 by Tim Penhey
5 out of 7 failing inmemory tests now passing.
503
7362.9.16 by Jonathan Lange
Merge lower thread
504
    def enableDefaultStackingForProduct(self, product, branch=None):
505
        """Give 'product' a default stacked-on branch.
506
507
        :param product: The product to give a default stacked-on branch to.
508
        :param branch: The branch that should be the default stacked-on
509
            branch.  If not supplied, a fresh branch will be created.
510
        """
511
        if branch is None:
512
            branch = self.makeBranch(product=product)
8137.2.2 by Jonathan Lange
Fix last remaining use of user_branch
513
        product.development_focus.branch = branch
9590.13.5 by Michael Hudson
fix test_codehosting tests
514
        branch.last_mirrored_id = 'rev1'
7362.9.16 by Jonathan Lange
Merge lower thread
515
        return branch
7055.4.4 by Jonathan Lange
Move the fakes out of the test module.
516
8031.4.9 by Jonathan Lange
Get the in memory versions passing.
517
    def enableDefaultStackingForPackage(self, package, branch):
518
        """Give 'package' a default stacked-on branch.
519
520
        :param package: The package to give a default stacked-on branch to.
521
        :param branch: The branch that should be the default stacked-on
522
            branch.
523
        """
524
        package.development_version.setBranch(
525
            PackagePublishingPocket.RELEASE, branch, branch.owner)
9590.13.5 by Michael Hudson
fix test_codehosting tests
526
        branch.last_mirrored_id = 'rev1'
8031.4.9 by Jonathan Lange
Get the in memory versions passing.
527
        return branch
528
8031.2.7 by Jonathan Lange
Remove default_stacked_on_branch from product, make all the tests use
529
9590.1.49 by Michael Hudson
more combining the puller and filesystem endpoints
530
class FakeCodehosting:
7055.4.4 by Jonathan Lange
Move the fakes out of the test module.
531
9590.1.49 by Michael Hudson
more combining the puller and filesystem endpoints
532
    def __init__(self, branch_set, person_set, product_set, distribution_set,
533
                 distroseries_set, sourcepackagename_set, factory,
534
                 script_activity_set):
7055.4.7 by Jonathan Lange
Pass the branch set to the fake puller
535
        self._branch_set = branch_set
9590.1.49 by Michael Hudson
more combining the puller and filesystem endpoints
536
        self._person_set = person_set
537
        self._product_set = product_set
538
        self._distribution_set = distribution_set
539
        self._distroseries_set = distroseries_set
540
        self._sourcepackagename_set = sourcepackagename_set
541
        self._factory = factory
7055.4.7 by Jonathan Lange
Pass the branch set to the fake puller
542
        self._script_activity_set = script_activity_set
7055.4.4 by Jonathan Lange
Move the fakes out of the test module.
543
10379.2.5 by Michael Hudson
integration test and implied fixes
544
    def acquireBranchToPull(self, branch_type_names):
10379.2.3 by Michael Hudson
acquireBranchToPull changes
545
        if not branch_type_names:
546
            branch_type_names = 'HOSTED', 'MIRRORED', 'IMPORTED'
547
        branch_types = []
548
        for branch_type_name in branch_type_names:
549
            try:
550
                branch_types.append(BranchType.items[branch_type_name])
551
            except KeyError:
552
                raise UnknownBranchTypeError(
553
                    'Unknown branch type: %r' % (branch_type_name,))
8312.3.5 by Michael Hudson
mostly copy and pasted tests for the xml-rpc endpoint
554
        branches = sorted(
555
            [branch for branch in self._branch_set
9032.2.2 by Michael Hudson
test and fix
556
             if branch.next_mirror_time is not None
10379.2.3 by Michael Hudson
acquireBranchToPull changes
557
             and branch.branch_type in branch_types],
8312.3.5 by Michael Hudson
mostly copy and pasted tests for the xml-rpc endpoint
558
            key=operator.attrgetter('next_mirror_time'))
559
        if branches:
560
            branch = branches[-1]
9590.1.79 by Michael Hudson
readability++
561
            # Mark it as started mirroring.
562
            branch.last_mirror_attempt = UTC_NOW
563
            branch.next_mirror_time = None
8312.3.8 by Michael Hudson
return the branch type from the xml-rpc method too
564
            default_branch = branch.target.default_stacked_on_branch
8811.1.1 by Michael Hudson
assorted tests and tweaks
565
            if default_branch is None:
566
                default_branch_name = ''
567
            elif (branch.branch_type == BranchType.MIRRORED
568
                  and default_branch.private):
569
                default_branch_name = ''
8312.3.8 by Michael Hudson
return the branch type from the xml-rpc method too
570
            else:
8811.1.1 by Michael Hudson
assorted tests and tweaks
571
                default_branch_name = '/' + default_branch.unique_name
8312.3.8 by Michael Hudson
return the branch type from the xml-rpc method too
572
            return (branch.id, branch.getPullURL(), branch.unique_name,
573
                    default_branch_name, branch.branch_type.name)
8312.3.5 by Michael Hudson
mostly copy and pasted tests for the xml-rpc endpoint
574
        else:
575
            return ()
576
7055.4.4 by Jonathan Lange
Move the fakes out of the test module.
577
    def mirrorFailed(self, branch_id, reason):
7055.4.7 by Jonathan Lange
Pass the branch set to the fake puller
578
        branch = self._branch_set.get(branch_id)
7055.4.4 by Jonathan Lange
Move the fakes out of the test module.
579
        if branch is None:
580
            return faults.NoBranchWithID(branch_id)
581
        branch.mirror_failures += 1
582
        branch.mirror_status_message = reason
583
        return True
584
585
    def recordSuccess(self, name, hostname, date_started, date_completed):
7055.4.7 by Jonathan Lange
Pass the branch set to the fake puller
586
        self._script_activity_set._add(
7055.4.6 by Jonathan Lange
Factor out an object set -- I think this is a good idea.
587
            FakeScriptActivity(name, hostname, date_started, date_completed))
7055.4.4 by Jonathan Lange
Move the fakes out of the test module.
588
        return True
589
11121.5.29 by Tim Penhey
5 out of 7 failing inmemory tests now passing.
590
    def _parseUniqueName(self, branch_path):
591
        """Return a dict of the parsed information and the branch name."""
7213.4.4 by Jonathan Lange
createBranch now raises PermissionDenied when users try to create branches
592
        try:
11121.5.29 by Tim Penhey
5 out of 7 failing inmemory tests now passing.
593
            namespace_path, branch_name = branch_path.rsplit('/', 1)
7213.4.4 by Jonathan Lange
createBranch now raises PermissionDenied when users try to create branches
594
        except ValueError:
11121.5.29 by Tim Penhey
5 out of 7 failing inmemory tests now passing.
595
            raise faults.PermissionDenied(
11121.5.31 by Tim Penhey
More tests and tweaks to make the tests pass.
596
                "Cannot create branch at '/%s'" % branch_path)
7362.9.13 by Jonathan Lange
Add a test for creating a sourcepackage branch via createBranch.
597
        data = BranchNamespaceSet().parse(namespace_path)
11121.5.29 by Tim Penhey
5 out of 7 failing inmemory tests now passing.
598
        return data, branch_name
599
600
    def _createBranch(self, registrant, branch_path):
601
        """The guts of the create branch method.
602
603
        Raises exceptions on error conditions.
604
        """
605
        to_link = None
606
        if branch_path.startswith(BRANCH_ALIAS_PREFIX + '/'):
607
            branch_path = branch_path[len(BRANCH_ALIAS_PREFIX) + 1:]
608
            if branch_path.startswith('~'):
609
                data, branch_name = self._parseUniqueName(branch_path)
610
            else:
611
                tokens = branch_path.split('/')
612
                data = {
613
                    'person': registrant.name,
614
                    'product': tokens[0],
615
                    }
616
                branch_name = 'trunk'
617
                # check the series
618
                product = self._product_set.getByName(data['product'])
619
                if product is not None:
11121.5.30 by Tim Penhey
W00t, all tests pass.
620
                    if len(tokens) > 1:
621
                        series = product.getSeries(tokens[1])
622
                        if series is None:
623
                            raise faults.NotFound(
624
                                "No such product series: '%s'." % tokens[1])
625
                        else:
626
                            to_link = ICanHasLinkedBranch(series)
627
                    else:
628
                        to_link = ICanHasLinkedBranch(product)
11121.5.29 by Tim Penhey
5 out of 7 failing inmemory tests now passing.
629
                # don't forget the link.
630
        else:
631
            data, branch_name = self._parseUniqueName(branch_path)
632
7362.9.13 by Jonathan Lange
Add a test for creating a sourcepackage branch via createBranch.
633
        owner = self._person_set.getByName(data['person'])
7055.4.18 by Jonathan Lange
Implement createBranch
634
        if owner is None:
11121.5.30 by Tim Penhey
W00t, all tests pass.
635
            raise faults.NotFound(
9738.1.11 by Michael Hudson
fix test failures
636
                "User/team '%s' does not exist." % (data['person'],))
7055.5.9 by Jonathan Lange
Improve comments on authorization checks
637
        # The real code consults the branch creation policy of the product. We
638
        # don't need to do so here, since the tests above this layer never
639
        # encounter that behaviour. If they *do* change to rely on the branch
640
        # creation policy, the observed behaviour will be failure to raise
641
        # exceptions.
642
        if not registrant.inTeam(owner):
11121.5.30 by Tim Penhey
W00t, all tests pass.
643
            raise faults.PermissionDenied(
7055.4.18 by Jonathan Lange
Implement createBranch
644
                ('%s cannot create branches owned by %s'
645
                 % (registrant.displayname, owner.displayname)))
7362.12.24 by Jonathan Lange
Restore change that somehow got lost.
646
        product = sourcepackage = None
7362.9.13 by Jonathan Lange
Add a test for creating a sourcepackage branch via createBranch.
647
        if data['product'] == '+junk':
7055.4.18 by Jonathan Lange
Implement createBranch
648
            product = None
7362.9.13 by Jonathan Lange
Add a test for creating a sourcepackage branch via createBranch.
649
        elif data['product'] is not None:
650
            product = self._product_set.getByName(data['product'])
7055.4.18 by Jonathan Lange
Implement createBranch
651
            if product is None:
11121.5.30 by Tim Penhey
W00t, all tests pass.
652
                raise faults.NotFound(
9738.1.11 by Michael Hudson
fix test failures
653
                    "Project '%s' does not exist." % (data['product'],))
7362.9.13 by Jonathan Lange
Add a test for creating a sourcepackage branch via createBranch.
654
        elif data['distribution'] is not None:
655
            distro = self._distribution_set.getByName(data['distribution'])
7362.9.14 by Jonathan Lange
Tests for all sorts of not found errors.
656
            if distro is None:
11121.5.30 by Tim Penhey
W00t, all tests pass.
657
                raise faults.NotFound(
7362.9.27 by Jonathan Lange
Whole bunch of minor exception-related crap.
658
                    "No such distribution: '%s'." % (data['distribution'],))
7362.9.13 by Jonathan Lange
Add a test for creating a sourcepackage branch via createBranch.
659
            distroseries = self._distroseries_set.getByName(
660
                data['distroseries'])
7362.9.14 by Jonathan Lange
Tests for all sorts of not found errors.
661
            if distroseries is None:
11121.5.30 by Tim Penhey
W00t, all tests pass.
662
                raise faults.NotFound(
7362.9.27 by Jonathan Lange
Whole bunch of minor exception-related crap.
663
                    "No such distribution series: '%s'."
7362.9.14 by Jonathan Lange
Tests for all sorts of not found errors.
664
                    % (data['distroseries'],))
7362.9.13 by Jonathan Lange
Add a test for creating a sourcepackage branch via createBranch.
665
            sourcepackagename = self._sourcepackagename_set.getByName(
666
                data['sourcepackagename'])
7362.9.14 by Jonathan Lange
Tests for all sorts of not found errors.
667
            if sourcepackagename is None:
13662.5.3 by Aaron Bentley
Handle invalid source package names.
668
                try:
669
                    sourcepackagename = self._sourcepackagename_set.new(
670
                        data['sourcepackagename'])
671
                except InvalidName:
672
                    raise faults.InvalidSourcePackageName(
673
                        data['sourcepackagename'])
8031.4.9 by Jonathan Lange
Get the in memory versions passing.
674
            sourcepackage = self._factory.makeSourcePackage(
675
                distroseries, sourcepackagename)
7362.9.13 by Jonathan Lange
Add a test for creating a sourcepackage branch via createBranch.
676
        else:
11121.5.30 by Tim Penhey
W00t, all tests pass.
677
            raise faults.PermissionDenied(
7362.9.13 by Jonathan Lange
Add a test for creating a sourcepackage branch via createBranch.
678
                "Cannot create branch at '%s'" % branch_path)
11121.5.29 by Tim Penhey
5 out of 7 failing inmemory tests now passing.
679
        branch = self._factory.makeBranch(
680
            owner=owner, name=branch_name, product=product,
681
            sourcepackage=sourcepackage, registrant=registrant,
682
            branch_type=BranchType.HOSTED)
683
        if to_link is not None:
684
            if registrant.inTeam(to_link.product.owner):
685
                to_link.branch = branch
686
            else:
11121.5.38 by Tim Penhey
Make sure that the branch doesn't exist after a link failure.
687
                self._branch_set._delete(branch)
11121.5.30 by Tim Penhey
W00t, all tests pass.
688
                raise faults.PermissionDenied(
11121.5.29 by Tim Penhey
5 out of 7 failing inmemory tests now passing.
689
                    "Cannot create linked branch at '%s'." % branch_path)
690
        return branch.id
691
692
    def createBranch(self, requester_id, branch_path):
693
        if not branch_path.startswith('/'):
694
            return faults.InvalidPath(branch_path)
695
        escaped_path = unescape(branch_path.strip('/'))
696
        registrant = self._person_set.get(requester_id)
7055.4.18 by Jonathan Lange
Implement createBranch
697
        try:
11121.5.29 by Tim Penhey
5 out of 7 failing inmemory tests now passing.
698
            return self._createBranch(registrant, escaped_path)
699
        except LaunchpadFault, e:
700
            return e
7055.4.18 by Jonathan Lange
Implement createBranch
701
        except LaunchpadValidationError, e:
9738.1.9 by Michael Hudson
tests for internal xml-rpc changes and fixes to in-memory double of same
702
            msg = e.args[0]
703
            if isinstance(msg, unicode):
704
                msg = msg.encode('utf-8')
705
            return faults.PermissionDenied(msg)
7055.4.16 by Jonathan Lange
Start running the filesystem tests against a fake. They don't pass yet.
706
707
    def requestMirror(self, requester_id, branch_id):
708
        self._branch_set.get(branch_id).requestMirror()
709
9590.4.8 by Michael Hudson
don't use removeSecurityProxy to freely
710
    def branchChanged(self, login_id, branch_id, stacked_on_location,
711
                      last_revision_id, control_string, branch_string,
712
                      repository_string):
9590.2.12 by Michael Hudson
inmemory implementation of reporting bogus stacking
713
        branch = self._branch_set._find(id=branch_id)
714
        if branch is None:
715
            return faults.NoBranchWithID(branch_id)
9590.3.1 by Michael Hudson
clear the mirror_status_message if there is no error in branchChanged
716
        branch.mirror_status_message = None
9590.2.8 by Michael Hudson
in memory implementaion of branchChanged, one more test
717
        if stacked_on_location == '':
718
            stacked_on_branch = None
719
        else:
720
            # We could log or something if the branch is not found here, but
721
            # we just wait until the scanner fails and sets up an appropriate
722
            # message.
723
            stacked_on_branch = self._branch_set._find(
724
                unique_name=stacked_on_location.strip('/'))
9590.2.12 by Michael Hudson
inmemory implementation of reporting bogus stacking
725
            if stacked_on_branch is None:
726
                branch.mirror_status_message = (
727
                    'Invalid stacked on location: ' + stacked_on_location)
9590.2.8 by Michael Hudson
in memory implementaion of branchChanged, one more test
728
        branch.stacked_on = stacked_on_branch
9590.3.3 by Michael Hudson
start addressing review comments
729
        branch.last_mirrored = UTC_NOW
9590.2.8 by Michael Hudson
in memory implementaion of branchChanged, one more test
730
        if branch.last_mirrored_id != last_revision_id:
731
            branch.last_mirrored_id = last_revision_id
9590.2.23 by Michael Hudson
unit tests for branchChange recording the format
732
733
        def match_title(enum, title, default):
734
            for value in enum.items:
735
                if value.title == title:
736
                    return value
737
            else:
738
                return default
739
740
        branch.control_format = match_title(
741
            ControlFormat, control_string, ControlFormat.UNRECOGNIZED)
742
        branch.branch_format = match_title(
743
            BranchFormat, branch_string, BranchFormat.UNRECOGNIZED)
744
        branch.repository_format = match_title(
745
            RepositoryFormat, repository_string,
746
            RepositoryFormat.UNRECOGNIZED)
747
9590.2.8 by Michael Hudson
in memory implementaion of branchChanged, one more test
748
        return True
749
7055.5.10 by Jonathan Lange
Make canRead a little better.
750
    def _canRead(self, person_id, branch):
751
        """Can the person 'person_id' see 'branch'?"""
752
        # This is a substitute for an actual launchpad.View check on the
753
        # branch. It doesn't have to match the behaviour exactly, as long as
754
        # it's stricter than the real implementation (that way, mismatches in
755
        # behaviour should generate explicit errors.)
756
        if person_id == LAUNCHPAD_SERVICES:
757
            return True
7551.3.7 by Michael Hudson
use a new, custom value rather than ftests.ANONYMOUS to indicate the anonymous user to translatePath
758
        if person_id == LAUNCHPAD_ANONYMOUS:
7459.5.20 by Michael Hudson
let have us some tests for translatePath(ANONYMOUS, ...)
759
            return not branch.private
7055.5.10 by Jonathan Lange
Make canRead a little better.
760
        if not branch.private:
761
            return True
762
        person = self._person_set.get(person_id)
763
        return person.inTeam(branch.owner)
764
7055.5.3 by Jonathan Lange
Nail team ownership rules down.
765
    def _canWrite(self, person_id, branch):
766
        """Can the person 'person_id' write to 'branch'?"""
7551.3.7 by Michael Hudson
use a new, custom value rather than ftests.ANONYMOUS to indicate the anonymous user to translatePath
767
        if person_id in [LAUNCHPAD_ANONYMOUS, LAUNCHPAD_SERVICES]:
7055.5.3 by Jonathan Lange
Nail team ownership rules down.
768
            return False
769
        if branch.branch_type != BranchType.HOSTED:
770
            return False
771
        person = self._person_set.get(person_id)
772
        return person.inTeam(branch.owner)
773
8031.4.9 by Jonathan Lange
Get the in memory versions passing.
774
    def _get_product_target(self, path):
775
        try:
776
            owner_name, product_name = path.split('/')
777
        except ValueError:
778
            # Wrong number of segments -- can't be a product.
779
            return
780
        product = self._product_set.getByName(product_name)
781
        return product
782
783
    def _get_package_target(self, path):
784
        try:
785
            owner_name, distro_name, series_name, package_name = (
786
                path.split('/'))
787
        except ValueError:
788
            # Wrong number of segments -- can't be a package.
789
            return
790
        distro = self._distribution_set.getByName(distro_name)
791
        distroseries = self._distroseries_set.getByName(series_name)
792
        sourcepackagename = self._sourcepackagename_set.getByName(
793
            package_name)
794
        if None in (distro, distroseries, sourcepackagename):
795
            return
796
        return self._factory.makeSourcePackage(
797
            distroseries, sourcepackagename)
798
7213.4.8 by Jonathan Lange
_getProduct -> _serializeControlDirectory.
799
    def _serializeControlDirectory(self, requester, product_path,
800
                                   trailing_path):
8031.4.9 by Jonathan Lange
Get the in memory versions passing.
801
        if not ('.bzr' == trailing_path or trailing_path.startswith('.bzr/')):
802
            return
803
        target = self._get_product_target(product_path)
804
        if target is None:
805
            target = self._get_package_target(product_path)
806
        if target is None:
807
            return
808
        default_branch = IBranchTarget(target).default_stacked_on_branch
7055.10.22 by Jonathan Lange
Handle the case where there is no default stacked-on branch set.
809
        if default_branch is None:
810
            return
7055.10.24 by Jonathan Lange
Return a NotFound for product control directories where the stacked-on branch
811
        if not self._canRead(requester, default_branch):
812
            return
12707.7.6 by Tim Penhey
Created a function to do the basic alias assembly.
813
        path = branch_id_alias(default_branch)
7213.4.11 by Jonathan Lange
Return escaped URLs for the stacked-on branch.
814
        return (
815
            CONTROL_TRANSPORT,
12707.7.5 by Tim Penhey
Update the tests and the in-memory mock.
816
            {'default_stack_on': escape(path)},
8031.4.9 by Jonathan Lange
Get the in memory versions passing.
817
            trailing_path)
7055.10.16 by Jonathan Lange
Make the first control directory test pass in a fairly crappy way.
818
12707.4.7 by Tim Penhey
Fix the inmemory xmlrpc mock.
819
    def _serializeBranch(self, requester_id, branch, trailing_path,
820
                         force_readonly=False):
7213.4.7 by Jonathan Lange
extract serialize branch from inmemory translatePath.
821
        if not self._canRead(requester_id, branch):
7459.6.5 by Michael Hudson
kill PERMISSION_DENIED_FAULT_CODE, replace with faults.PermissionDenied
822
            return faults.PermissionDenied()
7213.4.7 by Jonathan Lange
extract serialize branch from inmemory translatePath.
823
        elif branch.branch_type == BranchType.REMOTE:
824
            return None
12707.4.7 by Tim Penhey
Fix the inmemory xmlrpc mock.
825
        if force_readonly:
826
            writable = False
7213.4.7 by Jonathan Lange
extract serialize branch from inmemory translatePath.
827
        else:
12707.4.7 by Tim Penhey
Fix the inmemory xmlrpc mock.
828
            writable = self._canWrite(requester_id, branch)
829
        return (
830
            BRANCH_TRANSPORT,
831
            {'id': branch.id, 'writable': writable},
832
            trailing_path)
833
834
    def _translateBranchIdAlias(self, requester, path):
835
        # If the path isn't a branch id alias, nothing more to do.
836
        stripped_path = unescape(path.strip('/'))
837
        if not stripped_path.startswith(BRANCH_ID_ALIAS_PREFIX + '/'):
838
            return None
839
        try:
840
            parts = stripped_path.split('/', 2)
841
            branch_id = int(parts[1])
842
        except (ValueError, IndexError):
843
            return faults.PathTranslationError(path)
844
        branch = self._branch_set.get(branch_id)
845
        if branch is None:
846
            return faults.PathTranslationError(path)
847
        try:
848
            trailing = parts[2]
849
        except IndexError:
850
            trailing = ''
851
        return self._serializeBranch(requester, branch, trailing, True)
7213.4.7 by Jonathan Lange
extract serialize branch from inmemory translatePath.
852
7055.10.1 by Jonathan Lange
Start work on translatePath.
853
    def translatePath(self, requester_id, path):
7055.10.4 by Jonathan Lange
Make the preceding slash compulsory.
854
        if not path.startswith('/'):
855
            return faults.InvalidPath(path)
12707.4.7 by Tim Penhey
Fix the inmemory xmlrpc mock.
856
        branch = self._translateBranchIdAlias(requester_id, path)
857
        if branch is not None:
858
            return branch
7055.10.3 by Jonathan Lange
Start bringing in branch translation.
859
        stripped_path = path.strip('/')
7055.10.5 by Jonathan Lange
Handle child paths within a branch.
860
        for first, second in iter_split(stripped_path, '/'):
7055.10.6 by Jonathan Lange
translatePath should handle escaped paths.
861
            first = unescape(first).encode('utf-8')
7055.10.16 by Jonathan Lange
Make the first control directory test pass in a fairly crappy way.
862
            # Is it a branch?
11121.5.1 by Jonathan Lange
Begin supporting +branch over codehosting.
863
            if first.startswith('+branch/'):
11121.5.6 by Jonathan Lange
Fix the inmemory server
864
                component_name = first[len('+branch/'):]
865
                product = self._product_set.getByName(component_name)
866
                if product:
867
                    branch = product.development_focus.branch
868
                else:
13597.1.1 by Jeroen Vermeulen
Get rid of factory.make[Ubuntu]DistroRelease. And some lint.
869
                    branch = self._branch_set._find(
870
                        unique_name=component_name)
11121.5.1 by Jonathan Lange
Begin supporting +branch over codehosting.
871
            else:
872
                branch = self._branch_set._find(unique_name=first)
7055.10.16 by Jonathan Lange
Make the first control directory test pass in a fairly crappy way.
873
            if branch is not None:
7213.4.7 by Jonathan Lange
extract serialize branch from inmemory translatePath.
874
                branch = self._serializeBranch(requester_id, branch, second)
7459.6.2 by Michael Hudson
fix implementations
875
                if isinstance(branch, Fault):
876
                    return branch
877
                elif branch is None:
7213.4.7 by Jonathan Lange
extract serialize branch from inmemory translatePath.
878
                    break
879
                return branch
7055.10.16 by Jonathan Lange
Make the first control directory test pass in a fairly crappy way.
880
881
            # Is it a product?
7213.4.8 by Jonathan Lange
_getProduct -> _serializeControlDirectory.
882
            product = self._serializeControlDirectory(
883
                requester_id, first, second)
7055.10.16 by Jonathan Lange
Make the first control directory test pass in a fairly crappy way.
884
            if product:
885
                return product
7055.10.1 by Jonathan Lange
Start work on translatePath.
886
        return faults.PathTranslationError(path)
887
7055.4.16 by Jonathan Lange
Start running the filesystem tests against a fake. They don't pass yet.
888
7055.5.4 by Jonathan Lange
Eschew 'fake' and 'real' for 'inmemory' and 'db'.
889
class InMemoryFrontend:
7055.5.11 by Jonathan Lange
Add a bunch of docstrings.
890
    """A in-memory 'frontend' to Launchpad's branch services.
891
892
    This is an in-memory version of `LaunchpadDatabaseFrontend`.
893
    """
7055.4.4 by Jonathan Lange
Move the fakes out of the test module.
894
895
    def __init__(self):
11121.5.38 by Tim Penhey
Make sure that the branch doesn't exist after a link failure.
896
        self._branch_set = BranchSet()
7055.4.8 by Jonathan Lange
Make the set concept a little stronger.
897
        self._script_activity_set = ObjectSet()
7055.4.16 by Jonathan Lange
Start running the filesystem tests against a fake. They don't pass yet.
898
        self._person_set = ObjectSet()
7055.4.17 by Jonathan Lange
And now, getDefaultStackedOnBranch works.
899
        self._product_set = ObjectSet()
7362.9.13 by Jonathan Lange
Add a test for creating a sourcepackage branch via createBranch.
900
        self._distribution_set = ObjectSet()
901
        self._distroseries_set = ObjectSet()
13662.5.1 by Aaron Bentley
Pushing to non-existant sourcepackagename creates.
902
        self._sourcepackagename_set = SourcePackageNameSet()
7055.4.18 by Jonathan Lange
Implement createBranch
903
        self._factory = FakeObjectFactory(
7362.9.13 by Jonathan Lange
Add a test for creating a sourcepackage branch via createBranch.
904
            self._branch_set, self._person_set, self._product_set,
905
            self._distribution_set, self._distroseries_set,
906
            self._sourcepackagename_set)
9590.1.49 by Michael Hudson
more combining the puller and filesystem endpoints
907
        self._codehosting = FakeCodehosting(
7055.4.18 by Jonathan Lange
Implement createBranch
908
            self._branch_set, self._person_set, self._product_set,
7362.9.13 by Jonathan Lange
Add a test for creating a sourcepackage branch via createBranch.
909
            self._distribution_set, self._distroseries_set,
9590.1.49 by Michael Hudson
more combining the puller and filesystem endpoints
910
            self._sourcepackagename_set, self._factory,
911
            self._script_activity_set)
8031.2.7 by Jonathan Lange
Remove default_stacked_on_branch from product, make all the tests use
912
        sm = getSiteManager()
11121.5.1 by Jonathan Lange
Begin supporting +branch over codehosting.
913
        sm.registerAdapter(fake_product_to_can_has_linked_branch)
8031.2.7 by Jonathan Lange
Remove default_stacked_on_branch from product, make all the tests use
914
        sm.registerAdapter(fake_product_to_branch_target)
8031.4.9 by Jonathan Lange
Get the in memory versions passing.
915
        sm.registerAdapter(fake_source_package_to_branch_target)
11121.5.30 by Tim Penhey
W00t, all tests pass.
916
        sm.registerAdapter(fake_productseries_to_can_has_linked_branch)
7055.4.16 by Jonathan Lange
Start running the filesystem tests against a fake. They don't pass yet.
917
9590.1.49 by Michael Hudson
more combining the puller and filesystem endpoints
918
    def getCodehostingEndpoint(self):
7055.5.11 by Jonathan Lange
Add a bunch of docstrings.
919
        """See `LaunchpadDatabaseFrontend`.
920
921
        Return an in-memory implementation of IBranchFileSystem that passes
922
        the tests in `test_codehosting`.
923
        """
9590.1.49 by Michael Hudson
more combining the puller and filesystem endpoints
924
        return self._codehosting
7055.4.4 by Jonathan Lange
Move the fakes out of the test module.
925
926
    def getLaunchpadObjectFactory(self):
7055.5.11 by Jonathan Lange
Add a bunch of docstrings.
927
        """See `LaunchpadDatabaseFrontend`.
928
929
        Returns a partial, in-memory implementation of LaunchpadObjectFactory
930
        -- enough to pass the tests.
931
        """
7055.4.4 by Jonathan Lange
Move the fakes out of the test module.
932
        return self._factory
933
7940.2.10 by Jonathan Lange
Get the codehosting xmlrpc tests passing.
934
    def getBranchLookup(self):
7055.5.11 by Jonathan Lange
Add a bunch of docstrings.
935
        """See `LaunchpadDatabaseFrontend`.
936
7940.2.10 by Jonathan Lange
Get the codehosting xmlrpc tests passing.
937
        Returns a partial implementation of `IBranchLookup` -- enough to pass
938
        the tests.
7055.5.11 by Jonathan Lange
Add a bunch of docstrings.
939
        """
7055.4.8 by Jonathan Lange
Make the set concept a little stronger.
940
        return self._branch_set
7055.4.4 by Jonathan Lange
Move the fakes out of the test module.
941
942
    def getLastActivity(self, activity_name):
7055.5.11 by Jonathan Lange
Add a bunch of docstrings.
943
        """Get the last script activity with 'activity_name'."""
7055.4.8 by Jonathan Lange
Make the set concept a little stronger.
944
        return self._script_activity_set.getByName(activity_name)
7055.4.29 by Jonathan Lange
Add an XMLRPCWrapper that deals with Zope's crazy fault handling.
945
946
947
class XMLRPCWrapper:
948
    """Wrapper around the endpoints that emulates an XMLRPC client."""
949
950
    def __init__(self, endpoint):
951
        self.endpoint = endpoint
952
11583.3.15 by Jonathan Lange
Use the DeferredBlockingProxy in codehosting.
953
    def _callRemote(self, method_name, *args):
7055.4.29 by Jonathan Lange
Add an XMLRPCWrapper that deals with Zope's crazy fault handling.
954
        result = getattr(self.endpoint, method_name)(*args)
955
        if isinstance(result, Fault):
956
            raise result
957
        return result
11583.3.15 by Jonathan Lange
Use the DeferredBlockingProxy in codehosting.
958
959
    def callRemote(self, method_name, *args):
960
        return defer.maybeDeferred(self._callRemote, method_name, *args)