Skip to content
This repository was archived by the owner on Jan 3, 2024. It is now read-only.

Commit dac8177

Browse files
lezeroqcybergrind
authored andcommittedJan 8, 2018
Sphinx utils for drf serializers and http request log
1 parent c3b7445 commit dac8177

File tree

11 files changed

+493
-1
lines changed

11 files changed

+493
-1
lines changed
 

‎README.md

+37
Original file line numberDiff line numberDiff line change
@@ -257,6 +257,26 @@ Usage: execfile('path/to/file.py', globals(), locals())
257257

258258
Returns: True if file exists and executed, False if file doesn't exist
259259

260+
261+
## tipsi_tools.doc_utils.tipsi_sphinx
262+
263+
Sphinx extensions to generate documentation for django restframework serializers and examples for http requests.
264+
265+
In order to use them specify dependency for package installation:
266+
```
267+
pip install tipsi_tools[doc_utils]
268+
```
269+
270+
Usage:
271+
```
272+
# Add to Sphinx conf.py
273+
extensions = [
274+
# ...
275+
'tipsi_tools.doc_utils.tipsi_sphinx.dyn_serializer',
276+
'tipsi_tools.doc_utils.tipsi_sphinx.http_log'
277+
]
278+
```
279+
260280
## Commands
261281

262282
### tipsi_env_yaml
@@ -300,3 +320,20 @@ tipsi_wait -t 30 nginx 80
300320
```
301321
run_filebeat -e CHECKME=VALUE path_to_template
302322
```
323+
324+
325+
### doc_serializer
326+
327+
* output rst with list of serializers
328+
* generates documentation artifacts for serializers
329+
330+
```
331+
usage: doc_serializer [-h] [--rst] [--artifacts]
332+
333+
Parse serializers sources
334+
335+
optional arguments:
336+
-h, --help show this help message and exit
337+
--rst Output rst with serializers
338+
--artifacts Write serializers artifacts
339+
```

‎setup.py

+8
Original file line numberDiff line numberDiff line change
@@ -20,6 +20,13 @@
2020
'pyyaml>=3.12',
2121
'python-json-logger>=0.1.5',
2222
],
23+
extras_require={
24+
'doc_utils': [
25+
'rest_framework_dyn_serializer>=1.3.*',
26+
'docutils',
27+
'djangorestframework==3.7.*',
28+
],
29+
},
2330
tests_require=[
2431
'pytest==3.1.3',
2532
],
@@ -29,6 +36,7 @@
2936
'tipsi_ci_script=tipsi_tools.scripts.tipsi_ci_script:main',
3037
'tipsi_wait=tipsi_tools.scripts.tipsi_tools_wait:main',
3138
'run_filebeat=tipsi_tools.scripts.run_filebeat:main',
39+
'doc_serializer=tipsi_tools.doc_utils.tipsi_sphinx.dyn:main',
3240
],
3341
},
3442
classifiers=[

‎tipsi_tools/__init__.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -1 +1 @@
1-
__version__ = '1.15.0'
1+
__version__ = '1.16.0'

‎tipsi_tools/doc_utils/__init__.py

Whitespace-only changes.

‎tipsi_tools/doc_utils/tipsi_sphinx/__init__.py

Whitespace-only changes.
+126
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,126 @@
1+
#!/usr/bin/env python3
2+
3+
import argparse
4+
import inspect
5+
import json
6+
import os
7+
from functools import partial
8+
from importlib import import_module
9+
10+
import sys
11+
from rest_framework_dyn_serializer import DynModelSerializer
12+
13+
from tipsi_tools.doc_utils.tipsi_sphinx.dyn_json import serializer_doc_info
14+
15+
16+
def compose(*funs):
17+
it = funs[-1]
18+
funs = funs[:-1]
19+
20+
def inner(*args, **kwargs):
21+
for res in it(*args, **kwargs):
22+
for fun in funs:
23+
res = fun(res)
24+
if inspect.isgenerator(res):
25+
for r in res:
26+
yield r
27+
else:
28+
yield res
29+
30+
return inner
31+
32+
33+
def get_modules(apps):
34+
for app in apps:
35+
for mod in ('serializers', 'forms'):
36+
try:
37+
yield import_module('{}.{}'.format(app, mod))
38+
except ImportError:
39+
pass
40+
except AttributeError:
41+
pass
42+
43+
44+
def get_dynserializers(module):
45+
filters = (
46+
lambda i: inspect.isclass(i),
47+
lambda i: i != DynModelSerializer,
48+
lambda i: not(hasattr(i, 'Meta') and getattr(i.Meta, 'abstract', False)),
49+
lambda i: issubclass(i, DynModelSerializer) or getattr(i, '_write_docs', False),
50+
)
51+
52+
for item in dir(module):
53+
item = getattr(module, item)
54+
if all(f(item) for f in filters):
55+
yield item
56+
57+
58+
class ArtifactWriter:
59+
_inst = None
60+
61+
def __init__(self):
62+
path = os.environ.get('DOCS_ROOT', './.doc')
63+
if not os.path.exists(path):
64+
os.mkdir(path)
65+
self.doc_root = path
66+
67+
@classmethod
68+
def instance(cls):
69+
if not cls._inst:
70+
cls._inst = cls()
71+
return cls._inst
72+
73+
def dump(self, data, path):
74+
f_name = os.path.join(self.doc_root, '{}.json'.format(path))
75+
with open(f_name, 'w') as f:
76+
json.dump(data, f)
77+
78+
79+
def container_type():
80+
container = os.environ.get('CONTAINER_TYPE')
81+
if not container:
82+
sys.exit('Error: CONTAINER_TYPE is not defined')
83+
return container
84+
85+
86+
def process_item(item, flags):
87+
path = '{}.{}'.format(item.__module__, item.__name__)
88+
if flags.rst:
89+
print('.. dyn_serializer:: {}/{}\n'.format(container_type(), path))
90+
if flags.artifacts:
91+
data = serializer_doc_info(item, path)
92+
ArtifactWriter.instance().dump(data, path)
93+
94+
95+
def process(apps, fun):
96+
f = compose(get_dynserializers, get_modules)(apps)
97+
for s in f:
98+
fun(s)
99+
100+
101+
parser = argparse.ArgumentParser(description='Parse serializers sources')
102+
103+
parser.add_argument('--rst', action='store_true', default=False,
104+
help='Output rst with serializers')
105+
parser.add_argument('--artifacts', action='store_true', default=False,
106+
help='Write serializers artifacts')
107+
108+
109+
def main():
110+
sys.path.append('.')
111+
args = parser.parse_args()
112+
113+
if not any((args.rst, args.artifacts, )):
114+
parser.print_help()
115+
116+
import django
117+
django.setup()
118+
from django.apps import apps
119+
120+
all_apps = (app.module.__name__ for app in apps.get_app_configs())
121+
122+
process(all_apps, partial(process_item, flags=args))
123+
124+
125+
if __name__ == '__main__':
126+
main()
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,88 @@
1+
from rest_framework import fields
2+
from rest_framework.serializers import ListSerializer
3+
from rest_framework_dyn_serializer import DynModelSerializer
4+
5+
primitive_types = {
6+
fields.IntegerField: 'int',
7+
fields.BooleanField: 'bool',
8+
fields.FloatField: 'float',
9+
fields.CharField: 'str',
10+
fields.ImageField: 'http-link',
11+
fields.DateTimeField: 'datetime',
12+
fields.DateField: 'date',
13+
fields.JSONField: 'json/object',
14+
}
15+
16+
17+
def serializer_doc_info(serializer, path_info=''):
18+
print('Run: {}'.format(path_info))
19+
20+
if not hasattr(serializer, 'Meta'):
21+
serializer.Meta = type("Meta", tuple(), {})
22+
if not hasattr(serializer.Meta, 'fields_param'):
23+
serializer.Meta.fields_param = 'any'
24+
25+
serializer_obj = serializer()
26+
27+
return {
28+
'class_name': serializer.__name__,
29+
'class_module': serializer.__module__,
30+
'field_param': serializer.Meta.fields_param,
31+
'fields': [
32+
process_fields(name, field, serializer_obj)
33+
for name, field in sorted(serializer_obj.fields.items())
34+
]
35+
}
36+
37+
38+
def process_fields(name, field, serializer):
39+
cls = field.__class__
40+
41+
result = {
42+
'name': name,
43+
'readonly': bool(field.read_only),
44+
'write_only': bool(field.write_only),
45+
'required': bool(field.required),
46+
'allow_null': bool(field.allow_null),
47+
'is_dyn_serializer': issubclass(cls, DynModelSerializer),
48+
'__field__': repr(field),
49+
'__class__': repr(cls),
50+
}
51+
52+
_type = {}
53+
54+
if cls in primitive_types:
55+
_type['primitive_type'] = primitive_types[cls]
56+
elif cls == fields.SerializerMethodField:
57+
method_name = field.method_name or 'get_{}'.format(name)
58+
method = getattr(serializer, method_name)
59+
_type['method_type'] = {
60+
'method_name': method_name,
61+
'method_doc': method.__doc__ if method and method.__doc__ else None,
62+
}
63+
elif issubclass(cls, DynModelSerializer):
64+
_type['dyn_field_type'] = {
65+
'ref_name': cls.__name__,
66+
}
67+
elif (issubclass(cls, ListSerializer) and
68+
isinstance(field.child, DynModelSerializer)):
69+
_type['list_field_type'] = {
70+
'ref_name': field.child.__class__.__name__,
71+
}
72+
else:
73+
model_doc = None
74+
if hasattr(serializer, 'Meta') and hasattr(serializer.Meta, 'model'):
75+
# parse docstring in custom model methods
76+
fun = getattr(serializer.Meta.model, name, {})
77+
model_doc = fun.__doc__
78+
79+
serializer_doc = field.__doc__
80+
if model_doc or serializer_doc:
81+
_type['doc_type'] = {
82+
'model_doc': model_doc,
83+
'serializer_doc': serializer_doc,
84+
}
85+
86+
result['type'] = _type
87+
print('Process: <SerializerField: {}/>'.format(name))
88+
return result

0 commit comments

Comments
 (0)
This repository has been archived.