forked from django-import-export/django-import-export
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathfields.py
104 lines (85 loc) · 3.04 KB
/
fields.py
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
92
93
94
95
96
97
98
99
100
101
102
103
104
from __future__ import unicode_literals
from . import widgets
from django.core.exceptions import ObjectDoesNotExist
class Field(object):
"""
Field represent mapping between `object` field and representation of
this field.
``attribute`` string of either an instance attribute or callable
off the object.
``column_name`` let you provide how this field is named
in datasource.
``widget`` defines widget that will be used to represent field data
in export.
``readonly`` boolean value defines that if this field will be assigned
to object during import.
"""
def __init__(self, attribute=None, column_name=None, widget=None,
readonly=False):
self.attribute = attribute
self.column_name = column_name
if not widget:
widget = widgets.Widget()
self.widget = widget
self.readonly = readonly
def __repr__(self):
"""
Displays the module, class and name of the field.
"""
path = '%s.%s' % (self.__class__.__module__, self.__class__.__name__)
column_name = getattr(self, 'column_name', None)
if column_name is not None:
return '<%s: %s>' % (path, column_name)
return '<%s>' % path
def clean(self, data):
"""
Takes value stored in the data for the field and returns it as
appropriate python object.
"""
try:
value = data[self.column_name]
except KeyError:
raise KeyError("Column '%s' not found in dataset. Available "
"columns are: %s" % (self.column_name, list(data.keys())))
try:
value = self.widget.clean(value)
except ValueError as e:
raise ValueError("Column '%s': %s" % (self.column_name, e))
return value
def get_value(self, obj):
"""
Returns value for this field from object attribute.
"""
if self.attribute is None:
return None
attrs = self.attribute.split('__')
value = obj
for attr in attrs:
try:
value = getattr(value, attr)
except (ValueError, ObjectDoesNotExist):
# needs to have a primary key value before a many-to-many
# relationship can be used.
return None
if value is None:
return None
# Manyrelatedmanagers are callable in Django >= 1.7 but we don't want
# to call them
if callable(value) and not hasattr(value, 'through'):
value = value()
return value
def save(self, obj, data):
"""
Cleans this field value and assign it to provided object.
"""
if not self.readonly:
setattr(obj, self.attribute, self.clean(data))
def export(self, obj):
"""
Returns value from the provided object converted to export
representation.
"""
value = self.get_value(obj)
if value is None:
return ""
return self.widget.render(value)