blob: 8bc1d8fe3c5b0d36cc25161027d8527a8ce290c9 (
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
|
SubFactory
==========
Some objects may use other complex objects as parameters; in order to simplify this setup, factory_boy
provides the :py:class:`factory.SubFactory` class.
This should be used when defining a :py:class:`~factory.Factory` attribute that will hold the other complex object::
import factory
# A standard factory
class UserFactory(factory.Factory):
FACTORY_FOR = User
# Various fields
first_name = 'John'
last_name = factory.Sequence(lambda n: 'D%se' % (o * n))
email = factory.LazyAttribute(lambda o: '%s.%s@example.org' % (o.first_name.lower(), o.last_name.lower()))
# A factory for an object with a 'User' field
class CompanyFactory(factory.Factory):
FACTORY_FOR = Company
name = factory.Sequence(lambda n: 'FactoryBoyz' + z * n)
# Let's use our UserFactory to create that user, and override its first name.
owner = factory.SubFactory(UserFactory, first_name='Jack')
Instantiating the external factory will in turn instantiate an object of the internal factory::
>>> c = CompanyFactory()
>>> c
<Company: FactoryBoyz>
# Notice that the first_name was overridden
>>> c.owner
<User: Jack De>
>>> c.owner.email
jack.de@example.org
Fields of the SubFactory can also be overridden when instantiating the external factory::
>>> c = CompanyFactory(owner__first_name='Henry')
>>> c.owner
<User: Henry Doe>
# Notice that the updated first_name was propagated to the email LazyAttribute.
>>> c.owner.email
henry.doe@example.org
# It is also possible to override other fields of the SubFactory
>>> c = CompanyFactory(owner__last_name='Jones')
>>> c.owner
<User: Henry Jones>
>>> c.owner.email
henry.jones@example.org
|