-
Notifications
You must be signed in to change notification settings - Fork 66
/
Copy pathdigestive_tract.py
334 lines (295 loc) · 13.1 KB
/
digestive_tract.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
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
'''a small interface for ingesting metadata records
leaning (perhaps too far) into "ingest" as metaphor
swallow: store a given record by checksum; queue for extraction
extract: gather rdf graph from a record; store as index card(s)
derive: build other kinds of index cards from the extracted rdf
'''
__all__ = ('swallow', 'extract', 'derive')
import copy
import datetime
import logging
import typing
import celery
from django.db import transaction
from primitive_metadata import primitive_rdf
from share import models as share_db
from share.search import IndexMessenger
from share.util.checksum_iri import ChecksumIri
from trove import models as trove_db
from trove.exceptions import DigestiveError, CannotDigestExpiredDatum
from trove.extract import get_rdf_extractor_class
from trove.derive import get_deriver_classes
from trove.vocab.namespaces import RDFS, RDF, OWL
logger = logging.getLogger(__name__)
@transaction.atomic
def swallow(
*, # all keyword-args
from_user: share_db.ShareUser,
record: str,
record_identifier: str,
record_mediatype: str | None, # passing None indicates sharev2 backcompat
focus_iri: str,
datestamp: datetime.datetime | None = None, # default "now"
expiration_date: datetime.date | None = None,
urgent: bool = False,
is_supplementary: bool = False,
):
'''swallow: store a given record by checksum; queue for extraction
will create (or update) one of each:
Source (from whom/where is it?)
SourceConfig (how did/do we get it?)
SourceUniqueIdentifier (by what name do/would they know it?)
RawDatum ("it", a metadata record)
'''
if not isinstance(record, str):
raise DigestiveError('datum must be a string')
_source_config = share_db.SourceConfig.objects.get_or_create_push_config(from_user)
_suid, _suid_created = share_db.SourceUniqueIdentifier.objects.get_or_create(
source_config=_source_config,
identifier=record_identifier,
defaults={
'is_supplementary': is_supplementary,
},
)
if bool(_suid.is_supplementary) != is_supplementary:
raise DigestiveError(f'suid is_supplementary should not change! suid={_suid}, is_supplementary changed from {bool(_suid.is_supplementary)} to {is_supplementary}')
_focus_identifier = trove_db.ResourceIdentifier.objects.get_or_create_for_iri(focus_iri)
if _suid.focus_identifier is None:
_suid.focus_identifier = _focus_identifier
_suid.save()
else:
if _suid.focus_identifier_id != _focus_identifier.id:
raise DigestiveError(f'suid focus_identifier should not change! suid={_suid}, focus changed from {_suid.focus_identifier} to {_focus_identifier}')
_raw = share_db.RawDatum.objects.store_datum_for_suid(
suid=_suid,
datum=record,
mediatype=record_mediatype,
datestamp=(datestamp or datetime.datetime.now(tz=datetime.timezone.utc)),
expiration_date=expiration_date,
)
_task = task__extract_and_derive.delay(_raw.id, urgent=urgent)
return _task.id
@transaction.atomic
def swallow__sharev2_legacy(
*, # all keyword-args
from_user: share_db.ShareUser,
record: str,
record_identifier: str,
transformer_key: str,
datestamp=None, # default "now"
urgent=False,
):
_source_config = (
share_db.SourceConfig.objects
.get_or_create_push_config(from_user, transformer_key)
)
_suid, _suid_created = share_db.SourceUniqueIdentifier.objects.get_or_create(
source_config=_source_config,
identifier=record_identifier,
)
_raw = share_db.RawDatum.objects.store_datum_for_suid(
suid=_suid,
datum=record,
mediatype=None, # indicate sharev2-legacy flow
datestamp=(datestamp or datetime.datetime.now(tz=datetime.timezone.utc)),
)
_task = task__extract_and_derive.delay(_raw.id, urgent=urgent)
return _task.id
def extract(raw: share_db.RawDatum, *, undelete_indexcards=False) -> list[trove_db.Indexcard]:
'''extract: gather rdf graph from a record; store as index card(s)
may create (or update):
ResourceIdentifier (for each described resource and its types)
Indexcard (with identifiers and type-identifiers for each described resource)
ArchivedIndexcardRdf (all extracted metadata, if non-supplementary)
LatestIndexcardRdf (all extracted metadata, if latest raw and non-supplementary)
SupplementaryIndexcardRdf (all extracted metadata, if supplementary)
may delete:
LatestIndexcardRdf (previously extracted from the record, but no longer present)
'''
assert raw.mediatype is not None, 'raw datum has no mediatype -- did you mean to call extract_legacy?'
if raw.is_expired:
raise CannotDigestExpiredDatum(raw)
_tripledicts_by_focus_iri = {}
_extractor = get_rdf_extractor_class(raw.mediatype)(raw.suid.source_config)
# TODO normalize (or just validate) tripledict:
# - synonymous iris should be grouped (only one as subject-key, others under owl:sameAs)
# - focus should have rdf:type
# - no subject-key iris which collide by trove_db.ResourceIdentifier equivalence
# - connected graph (all subject-key iris reachable from focus, or reverse for vocab terms?)
_extracted_tripledict: primitive_rdf.RdfTripleDictionary = _extractor.extract_rdf(raw.datum)
if _extracted_tripledict:
try:
_focus_iri = raw.suid.focus_identifier.find_equivalent_iri(_extracted_tripledict)
except ValueError:
raise DigestiveError(f'could not find {raw.suid.focus_identifier} in {raw}')
_tripledicts_by_focus_iri[_focus_iri] = _extracted_tripledict
# special case: if the record defines an ontology, create a
# card for each subject iri that starts with the focus iri
# (TODO: consider a separate index card for *every* subject iri?)
if OWL.Ontology in _extracted_tripledict.get(_focus_iri, {}).get(RDF.type, ()):
for _iri, _twopledict in _extracted_tripledict.items():
if (_iri != _focus_iri) and _iri.startswith(_focus_iri):
_term_tripledict = {_iri: copy.deepcopy(_twopledict)}
# ensure a link to the ontology (in case there's not already)
primitive_rdf.RdfGraph(_term_tripledict).add(
(_iri, RDFS.isDefinedBy, _focus_iri),
)
_tripledicts_by_focus_iri[_iri] = _term_tripledict
if raw.suid.is_supplementary:
return trove_db.Indexcard.objects.supplement_indexcards_from_tripledicts(
from_raw_datum=raw,
rdf_tripledicts_by_focus_iri=_tripledicts_by_focus_iri,
)
return trove_db.Indexcard.objects.save_indexcards_from_tripledicts(
from_raw_datum=raw,
rdf_tripledicts_by_focus_iri=_tripledicts_by_focus_iri,
undelete=undelete_indexcards,
)
def derive(indexcard: trove_db.Indexcard, deriver_iris=None):
'''derive: build other kinds of index cards from the extracted rdf
will create, update, or delete:
DerivedIndexcard
'''
if indexcard.deleted:
return []
try:
_latest_rdf = indexcard.latest_rdf
except trove_db.LatestIndexcardRdf.DoesNotExist:
return []
_derived_list = []
for _deriver_class in get_deriver_classes(deriver_iris):
_deriver = _deriver_class(upriver_rdf=_latest_rdf)
_deriver_identifier = trove_db.ResourceIdentifier.objects.get_or_create_for_iri(_deriver.deriver_iri())
if _deriver.should_skip():
trove_db.DerivedIndexcard.objects.filter(
upriver_indexcard=indexcard,
deriver_identifier=_deriver_identifier,
).delete()
else:
_derived_text = _deriver.derive_card_as_text()
_derived_checksum_iri = ChecksumIri.digest('sha-256', salt='', raw_data=_derived_text)
_derived, _ = trove_db.DerivedIndexcard.objects.update_or_create(
upriver_indexcard=indexcard,
deriver_identifier=_deriver_identifier,
defaults={
'derived_text': _derived_text,
'derived_checksum_iri': _derived_checksum_iri,
},
)
_derived_list.append(_derived)
return _derived_list
def expel(from_user: share_db.ShareUser, record_identifier: str):
_suid_qs = share_db.SourceUniqueIdentifier.objects.filter(
source_config__source__user=from_user,
identifier=record_identifier,
)
for _suid in _suid_qs:
expel_suid(_suid)
def expel_suid(suid: share_db.SourceUniqueIdentifier) -> None:
for _indexcard in trove_db.Indexcard.objects.filter(source_record_suid=suid):
_indexcard.pls_delete()
_expel_supplementary_rdf(
trove_db.SupplementaryIndexcardRdf.objects.filter(supplementary_suid=suid),
)
def expel_expired_data(today: datetime.date) -> None:
# mark indexcards deleted if their latest update has now expired
for _indexcard in trove_db.Indexcard.objects.filter(
trove_latestindexcardrdf_set__from_raw_datum__expiration_date__lte=today,
):
_indexcard.pls_delete()
# delete expired supplementary metadata
_expel_supplementary_rdf(
trove_db.SupplementaryIndexcardRdf.objects.filter(
from_raw_datum__expiration_date__lte=today,
),
)
def _expel_supplementary_rdf(supplementary_rdf_queryset) -> None:
# delete expired supplementary metadata
_affected_indexcards = set()
for _supplementary_rdf in supplementary_rdf_queryset.select_related('indexcard'):
if not _supplementary_rdf.indexcard.deleted:
_affected_indexcards.add(_supplementary_rdf.indexcard)
_supplementary_rdf.delete()
for _indexcard in _affected_indexcards:
task__derive.delay(_indexcard.id)
### BEGIN celery tasks
@celery.shared_task(acks_late=True, bind=True)
def task__extract_and_derive(task: celery.Task, raw_id: int, urgent=False):
_raw = (
share_db.RawDatum.objects
.select_related('suid__source_config__source')
.get(id=raw_id)
)
_source_config = _raw.suid.source_config
if _source_config.disabled or _source_config.source.is_deleted:
expel_suid(_raw.suid)
else:
if _raw.mediatype:
_indexcards = extract(_raw, undelete_indexcards=urgent)
if _raw.is_latest():
_messenger = IndexMessenger(celery_app=task.app)
for _indexcard in _indexcards:
derive(_indexcard)
_messenger.notify_indexcard_update(_indexcards, urgent=urgent)
else: # no mediatype => legacy flow
_sharev2_legacy_ingest(_raw, urgent=urgent)
@celery.shared_task(acks_late=True, bind=True)
def task__derive(
task: celery.Task,
indexcard_id: int,
deriver_iri: str | None = None,
notify_index=True,
):
_indexcard = trove_db.Indexcard.objects.get(id=indexcard_id)
derive(
_indexcard,
deriver_iris=(None if deriver_iri is None else [deriver_iri]),
)
# TODO: avoid unnecessary work; let IndexStrategy subscribe to a specific
# IndexcardDeriver (perhaps by deriver-specific MessageType?)
if notify_index:
IndexMessenger(celery_app=task.app).notify_indexcard_update([_indexcard])
@celery.shared_task(acks_late=True)
def task__schedule_extract_and_derive_for_source_config(source_config_id: int):
_raw_id_qs = (
share_db.RawDatum.objects
.latest_by_suid_queryset(
share_db.SourceUniqueIdentifier.objects
.filter(source_config_id=source_config_id)
)
.values_list('id', flat=True)
)
for _raw_id in _raw_id_qs.iterator():
task__extract_and_derive.delay(_raw_id)
@celery.shared_task(acks_late=True)
def task__schedule_all_for_deriver(deriver_iri: str, notify_index=False):
if not get_deriver_classes([deriver_iri]):
raise DigestiveError(f'unknown deriver_iri: {deriver_iri}')
_indexcard_id_qs = (
trove_db.Indexcard.objects
.values_list('id', flat=True)
)
for _indexcard_id in _indexcard_id_qs.iterator():
task__derive.apply_async((_indexcard_id, deriver_iri, notify_index))
@celery.shared_task(acks_late=True)
def task__expel_expired_data():
expel_expired_data(datetime.date.today())
# TODO: remove legacy ingest
def _sharev2_legacy_ingest(raw, urgent: bool):
assert raw.mediatype is None, 'raw datum has a mediatype -- did you mean to call non-legacy extract?'
_extractor = get_rdf_extractor_class(None)(raw.suid.source_config)
if typing.TYPE_CHECKING:
from trove.extract.legacy_sharev2 import LegacySharev2Extractor
assert isinstance(_extractor, LegacySharev2Extractor)
_sharev2graph = _extractor.extract_sharev2_graph(raw.datum)
_centralnode = _sharev2graph.get_central_node(guess=True)
_normd = share_db.NormalizedData.objects.create(
data=_centralnode.graph.to_jsonld(),
source=raw.suid.source_config.source.user,
raw=raw,
)
share_db.FormattedMetadataRecord.objects.save_formatted_records(
raw.suid,
normalized_datum=_normd,
)
IndexMessenger().notify_suid_update([raw.suid_id], urgent=urgent)