Skip to content

Commit 28e18a0

Browse files
committed
Update create_resource()
Now BaseResource must be in bases tuple
1 parent ac23948 commit 28e18a0

File tree

2 files changed

+82
-67
lines changed

2 files changed

+82
-67
lines changed

jsonapy/__init__.py

+8-19
Original file line numberDiff line numberDiff line change
@@ -64,7 +64,7 @@ class Meta:
6464
## Links
6565
6666
Resource links can be specified by registering factories functions that will
67-
be used to generate them using `register_link_factory()` method:
67+
be used to generate them using the `register_link_factory()` method:
6868
6969
```python
7070
PersonResource.register_link_factory("self", lambda x: f"http://my.api/persons/{x})
@@ -75,7 +75,7 @@ class Meta:
7575
```python
7676
guido.jsonapi_dict(
7777
links={"self": {"x": guido.id}},
78-
required_attributes="__all__",)
78+
required_attributes="__all__")
7979
8080
# {
8181
# 'type': 'person',
@@ -96,7 +96,7 @@ class Meta:
9696
links={
9797
"self": {"x": guido.id},
9898
"languages": "http://my.api/persons/1/languages"},
99-
required_attributes="__all__",)
99+
required_attributes="__all__")
100100
101101
# {
102102
# 'type': 'person',
@@ -124,22 +124,11 @@ class ArticleResource(jsonapy.BaseResource):
124124
125125
class Meta:
126126
resource_name = "article"
127-
128-
ArticleResource.register_link_factory(
129-
"self",
130-
lambda x: f"http://my.api/articles/{x}"
131-
)
132-
```
133-
134-
Specify the links for the relationships by prefixing the links name with the
135-
name of the relationship:
136-
137-
```python
138-
ArticleResource.register_link_factory(
139-
"author__related",
140-
lambda x: f"http://my.api/articles/{x}/author"
141-
)
142-
127+
# links factories can also be specified in Meta:
128+
links_factories = {
129+
"self": lambda x: f"http://my.api/articles/{x}",
130+
# for relationships, prefix the relationship name
131+
"author__related": lambda x: f"http://my.api/articles/{x}/author"}
143132
```
144133
145134
Then, when you export an article, you can indicate the relationships you want

jsonapy/base.py

+74-48
Original file line numberDiff line numberDiff line change
@@ -4,6 +4,10 @@
44

55
""" # Complete reference of resource definition
66
7+
This section explains how to define a resource, its fields and its links. See
8+
`BaseResource.jsonapi_dict()` for a documentation on exporting objects into
9+
JSON:API format.
10+
711
## Fields
812
913
### Attributes
@@ -135,9 +139,10 @@ class Meta:
135139
```
136140
137141
A concrete resource definition without `"id"` member will raise an `AttributeError`.
138-
When a resource subclasses another resource, all fields are copied to the sub-resource.
142+
When a resource subclasses another resource, all fields are copied to the sub-resource,
143+
but the `Meta` inner class is not inherited, so a resource is concrete by default.
139144
140-
## Special class attributes
145+
## Accessing configuration and meta information about resources
141146
142147
These resource classes are used in the following examples.
143148
@@ -157,7 +162,7 @@ class Meta:
157162
"related__self": lambda x: f"/b/{x}/relationships/related"}
158163
```
159164
160-
### Accessing resource metadata
165+
### Basic information about fields
161166
162167
Some metadata about a resource can be accessed through top level functions applied on
163168
a resource class:
@@ -176,7 +181,25 @@ class Meta:
176181
and refer to the following sections to know more about special metadata class
177182
attributes.
178183
179-
### Configuration attributes defined in the `Meta` inner class
184+
### Atomic and relationships fields
185+
186+
When a field is a instance of `BaseResource`, it is considered as a
187+
relationship field. The other fields are considered as "atomic": the `id` used
188+
for identification, and the attributes that are exported in the `"attributes"`
189+
object.
190+
191+
Some special attributes provide the sets of atomic and relationships fields names.
192+
193+
```python
194+
BResource.__fields_types__
195+
# {'id': int, 'name': str, 'related': __main__.AResource}
196+
BResource.__atomic_fields_set__
197+
# {'id', 'name'}
198+
BResource.__relationships_fields_set__
199+
# {'related'}
200+
```
201+
202+
### Configuration special attributes
180203
181204
Summary of attributes which can be defined in the `Meta` inner class:
182205
@@ -193,24 +216,33 @@ class Meta:
193216
During runtime, these metadata can be accessed with special attributes directly
194217
on the resource classes. For example, the value of `is_abstract` is available
195218
on the `__is_abstract__` attribute. The `Meta` inner class is not accessible
196-
during runtime.
219+
during runtime. See the `BaseResourceMeta` metaclass for more information about
220+
these attributes initialization.
197221
198-
### Atomic and relationships fields
222+
## Creating a resource class dynamically
199223
200-
When a field is a instance of `BaseResource`, it is considered as a
201-
relationship field. The other fields are considered as "atomic": the `id` used
202-
for identification, and the attributes that are exported in the `"attributes"`
203-
object.
224+
This module provides a `create_resource()` functions for creating resources
225+
classes at runtime. We can recreate `BResource`:
204226
205-
Some special attributes provide the sets of atomic and relationships fields names.
227+
```python
228+
BResource = create_resource(
229+
"BResource",
230+
{"links_factories":
231+
{"self": lambda x: f"/b/{x}",
232+
"related__self": lambda x: f"/b/{x}/relationships/related"}},
233+
id=int,
234+
name=str,
235+
related=AResource)
206236
207-
```pycon
208-
>>> BResource.__fields_types__
209-
{'id': int, 'name': str, 'related': __main__.AResource}
210-
>>> BResource.__atomic_fields_set__
211-
{'id', 'name'}
212-
>>> BResource.__relationships_fields_set__
213-
{'related'}
237+
attributes_names(BResource)
238+
# {'name'}
239+
relationships_names(BResource)
240+
# {'related'}
241+
fields_types(BResource)
242+
# {'id': int, 'name': str, 'related': __main__.AResource}
243+
BResource.__links_factories__
244+
# {'self': <function __main__.<lambda>(x)>,
245+
# 'related__self': <function __main__.<lambda>(x)>}
214246
```
215247
"""
216248

@@ -235,10 +267,13 @@ class Meta:
235267

236268
__all__ = ("BaseResource", "create_resource", "BaseResourceMeta")
237269

238-
IdType = TypeVar("IdType")
239-
240270

241271
def _validate_link_name(klass, name):
272+
"""Check if the link name is consistent with the resource class.
273+
274+
If the link name is a relationship-qualified name, check if the
275+
relationship exists. Else raise a `ValueError`.
276+
"""
242277
split_name = name.split("__")
243278
if len(split_name) > 1:
244279
relationship_name = split_name[0]
@@ -353,18 +388,18 @@ class BaseResource(metaclass=BaseResourceMeta):
353388
__resource_name__: str
354389
__is_abstract__: bool
355390
__identifier_meta_attributes__: Set[str]
356-
__links_factories__: Dict[str, Callable[[IdType], str]]
391+
__links_factories__: Dict[str, Callable[..., str]]
357392
_identifier_fields: Set[str]
358393
_forbidden_fields: Set[str]
359394

360395
# must be provided by subclasses
361-
id: IdType
396+
id: Any
362397

363398
class Meta:
364399
is_abstract: bool = True
365400
resource_name: str
366401
identifier_meta_attributes: Set[str]
367-
links_factories: Dict[str, Callable[[IdType], str]]
402+
links_factories: Dict[str, Callable[..., str]]
368403

369404
def __init__(self, **kwargs):
370405
"""Automatically set all passed arguments.
@@ -514,7 +549,7 @@ def dump(
514549
)
515550

516551
@classmethod
517-
def register_link_factory(cls, name: str, factory: Callable[[IdType], str]):
552+
def register_link_factory(cls, name: str, factory: Callable[..., str]):
518553
"""Add a link factory to the resource.
519554
520555
When the resources are dump, these factories are used to produce their
@@ -678,26 +713,6 @@ def _formatted_relationships(self, relationships: Dict) -> Dict:
678713
)
679714
return relationships_dict
680715

681-
# def _relationship_dict(
682-
# self,
683-
# related_object: "BaseResource",
684-
# data_is_required: bool,
685-
# relationship_links: Set[str],
686-
# relationship_name
687-
# ):
688-
# """Make a single relationship object.
689-
#
690-
# Return a relationship object containing:
691-
# - data if needed
692-
# - links if needed
693-
# """
694-
# rel_data = {}
695-
# if data_is_required:
696-
# rel_data["data"] = related_object._identifier_dict
697-
# if relationship_links:
698-
# rel_data["links"] = self._make_links(relationship_links, relationship=relationship_name)
699-
# return rel_data
700-
701716
def _make_links(self,
702717
links: Mapping[str, Union[str, Dict[str, Any]]],
703718
relationship: Optional[str] = None):
@@ -734,8 +749,8 @@ def __getattr__(self, name):
734749

735750
def create_resource(
736751
name: str,
737-
meta_conf: Dict[str, Any],
738-
bases: Tuple[type] = (),
752+
meta_conf: Optional[Dict[str, Any]] = None,
753+
bases: Tuple[type] = (BaseResource,),
739754
metaklass: type = BaseResourceMeta,
740755
/,
741756
**fields_types
@@ -744,12 +759,18 @@ def create_resource(
744759
745760
###### Parameters ######
746761
762+
Positional:
763+
747764
* `name`: The resource class name.
748765
* `meta_conf`: A dictionary containg configuration attributes (of the
749766
`Meta` inner class).
750-
* `bases`: A tuple containing parent classes.
767+
* `bases`: A tuple containing parent classes. It must contain include
768+
`BaseResource`.
751769
* `metaklass`: The metaclass used to create the resource class (must
752770
be a subclass of `BaseResourceMeta`).
771+
772+
Keywords:
773+
753774
* `**fields_types`: The types of the fields as keyword arguments.
754775
755776
###### Returned value ######
@@ -759,12 +780,17 @@ def create_resource(
759780
###### Errors raised ######
760781
761782
A `TypeError` is raised if `metaklass` is not a subclass of `BaseResourceMeta`.
783+
A `ValueError` is raised if `BaseResource` is not in `bases` argument.
762784
"""
763785
if not issubclass(metaklass, BaseResourceMeta):
764786
raise TypeError(
765787
"Only a submetaclass of BaseResourceMeta can create a new "
766788
f"resource class. ('{metaklass}' provided.)")
789+
if BaseResource not in bases:
790+
raise ValueError(
791+
"'BaseResource' class must be a parent class of any resource "
792+
"class.")
767793

768-
meta_inncer_class = type("Meta", (), meta_conf)
794+
meta_inncer_class = type("Meta", (), meta_conf or {})
769795
namespace = {"__annotations__": fields_types, "Meta": meta_inncer_class}
770796
return metaklass(name, bases, namespace)

0 commit comments

Comments
 (0)