-
Notifications
You must be signed in to change notification settings - Fork 12
/
deposit.py
290 lines (219 loc) · 10.2 KB
/
deposit.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
# -*- coding: utf-8 -*-
"""Functions for deposit module."""
__copyright__ = 'Copyright (c) 2021-2024, Utrecht University'
__license__ = 'GPLv3, see LICENSE'
import re
from collections import OrderedDict
import genquery
from genquery import AS_DICT, Query
import folder
import groups
import meta
from util import *
__all__ = ['api_deposit_create',
'api_deposit_status',
'api_deposit_submit',
'api_deposit_overview',
'api_deposit_copy_data_package']
DEPOSIT_GROUP = "deposit-pilot"
@api.make()
def api_deposit_copy_data_package(ctx, reference, deposit_group):
"""Create deposit collection and copies selected datapackage into the newly created deposit
:param ctx: Combined type of a callback and rei struct
:param reference: Data Package Reference (UUID4)
:param deposit_group: Deposit group to copy to
:returns: Path to created deposit collection or API error
"""
result = deposit_create(ctx, deposit_group)
if result["deposit_path"] == "not_allowed":
return api.Error('not_allowed', 'Could not create deposit collection.')
new_deposit_path = result["deposit_path"]
coll_target = "/" + user.zone(ctx) + "/home/" + new_deposit_path
coll_data_package = ""
iter = genquery.row_iterator(
"COLL_NAME",
"META_COLL_ATTR_NAME = '{}' and META_COLL_ATTR_VALUE = '{}'".format(constants.DATA_PACKAGE_REFERENCE, reference),
genquery.AS_LIST, ctx)
for row in iter:
coll_data_package = row[0]
if coll_data_package == "":
return api.Error('not_found', 'Could not find data package with provided reference.')
parts = coll_target.split('/')
group_name = parts[3]
# Check if user has READ ACCESS to specific vault package in collection coll_data_package.
user_full_name = user.full_name(ctx)
category = groups.group_category(ctx, group_name)
is_datamanager = groups.user_is_datamanager(ctx, category, user.full_name(ctx))
if not is_datamanager:
# Check if research group has access by checking of research-group exists for this user.
research_group_access = collection.exists(ctx, coll_data_package)
if not research_group_access:
return api.Error('NoPermissions', 'Insufficient rights to perform this action')
# Check if user has write access to research folder.
# Only normal user has write access.
if groups.user_role(ctx, user_full_name, group_name) not in ['normal', 'manager']:
return api.Error('NoWriteAccessTargetCollection', 'Not permitted to write in selected folder')
# Register to delayed rule queue.
ctx.delayExec(
"<PLUSET>1s</PLUSET>",
"iiCopyFolderToResearch('%s', '%s')" % (coll_data_package, coll_target),
"")
return {"data": new_deposit_path}
@api.make()
def api_deposit_create(ctx, deposit_group):
"""Create deposit collection through API
:param ctx: Combined type of a callback and rei struct
:param deposit_group: Name of deposit group to create deposit for
:returns: Path to created deposit collection or API error
"""
result = deposit_create(ctx, deposit_group)
if result["deposit_path"] == "not_allowed":
return api.Error('not_allowed', 'Could not create deposit collection.')
return {"deposit_path": result["deposit_path"]}
def deposit_create(ctx, deposit_group):
"""Create deposit collection.
:param ctx: Combined type of a callback and rei struct
:param deposit_group: Name of deposit group to create deposit for
:returns: Path to created deposit collection
"""
if deposit_group is None:
return {"deposit_path": "not_allowed"}
coll = "/" + user.zone(ctx) + "/home/" + deposit_group
datapackage_name = pathutil.basename(coll)
if len(datapackage_name) > 235:
datapackage_name = datapackage_name[0:235]
ret = msi.get_icat_time(ctx, '', 'unix')
timestamp = ret['arguments'][0].lstrip('0')
# Ensure deposit target does not exist.
i = 0
target_base = coll + "/" + datapackage_name + "[" + timestamp + "]"
deposit_path = target_base
while collection.exists(ctx, deposit_path):
i += 1
deposit_path = target_base + "[" + str(i) + "]"
# Try to create deposit collection.
try:
collection.create(ctx, deposit_path)
except msi.CollCreateError:
return {"deposit_path": "not_allowed"}
space, zone, group, subpath = pathutil.info(deposit_path)
deposit_path = "{}/{}".format(group, subpath)
return {"deposit_path": deposit_path}
@api.make()
def api_deposit_status(ctx, path):
"""Retrieve status of deposit.
:param ctx: Combined type of a callback and rei struct
:param path: Path to deposit collection
:returns: Deposit status
"""
coll = "/{}/home{}".format(user.zone(ctx), path)
space, _, _, _ = pathutil.info(coll)
if space is not pathutil.Space.DEPOSIT:
return api.Error('invalid_path', 'Invalid folder path.')
if not collection.exists(ctx, coll):
return api.Error('nonexistent', 'Deposit collection does not exist.')
meta_path = '{}/{}'.format(coll, constants.IIJSONMETADATA)
data = False
if not collection.empty(ctx, coll):
if collection.data_count(ctx, coll) == 1 and data_object.exists(ctx, meta_path):
# Only file is yoda-metadata.json.
data = False
else:
data = True
metadata = False
if data_object.exists(ctx, meta_path) and meta.is_json_metadata_valid(ctx, meta_path):
metadata = True
return {"data": data, "metadata": metadata}
@api.make()
def api_deposit_submit(ctx, path):
"""Submit deposit collection.
:param ctx: Combined type of a callback and rei struct
:param path: Path to deposit collection
:returns: API status
"""
coll = "/{}/home{}".format(user.zone(ctx), path)
space, _, _, _ = pathutil.info(coll)
if space is not pathutil.Space.DEPOSIT:
return api.Error('invalid_path', 'Invalid folder path.')
if not collection.exists(ctx, coll):
return api.Error('nonexistent', 'Deposit collection does not exist.')
return folder.set_status(ctx, coll, constants.research_package_state.SUBMITTED)
@api.make()
def api_deposit_overview(ctx,
sort_on='name',
sort_order='asc',
offset=0,
limit=10,
space=pathutil.Space.OTHER.value):
"""Get paginated collection contents, including size/modify date information.
This function browses a folder and only looks at the collections in it. No dataobjects.
Specifically for deposit selection which is why it adds deposit-specific data to the result
:param ctx: Combined type of a callback and rei struct
:param sort_on: Column to sort on ('name', 'modified' or size)
:param sort_order: Column sort order ('asc' or 'desc')
:param offset: Offset to start browsing from
:param limit: Limit number of results
:param space: Space the collection is in
:returns: Dict with paginated collection contents
"""
def transform(row):
# Remove ORDER_BY etc. wrappers from column names.
x = {re.sub('.*\((.*)\)', '\\1', k): v for k, v in row.items()}
deposit_size = collection.size(ctx, x['COLL_NAME'])
deposit_title = '(no title)'
iter = genquery.row_iterator(
"META_COLL_ATTR_VALUE",
"COLL_NAME = '{}' AND META_COLL_ATTR_NAME = 'Title'".format(x['COLL_NAME']),
genquery.AS_LIST, ctx
)
for row in iter:
deposit_title = row[0]
deposit_access = ''
iter = genquery.row_iterator(
"META_COLL_ATTR_VALUE",
"COLL_NAME = '{}' AND META_COLL_ATTR_NAME = 'Data_Access_Restriction'".format(x['COLL_NAME']),
genquery.AS_LIST, ctx
)
for row in iter:
deposit_access = row[0].split("-")[0].strip()
pending_deposit_name = x['COLL_NAME'].split('/')[-1]
deposit_group = x['COLL_NAME'].split('/')[-2]
return {'name': pending_deposit_name,
'path': '/' + deposit_group + '/' + pending_deposit_name,
'type': 'coll',
'modify_time': int(x['COLL_MODIFY_TIME']),
'deposit_title': deposit_title,
'deposit_access': deposit_access,
'deposit_size': deposit_size}
if sort_on == 'modified':
# FIXME: Sorting on modify date is borked: There appears to be no
# reliable way to filter out replicas this way - multiple entries for
# the same file may be returned when replication takes place on a
# minute boundary, for example.
# We would want to take the max modify time *per* data name.
# (or not? replication may take place a long time after a modification,
# resulting in a 'too new' date)
ccols = ['COLL_NAME', 'ORDER(COLL_MODIFY_TIME)']
elif sort_on == 'size':
ccols = ['COLL_NAME', 'COLL_MODIFY_TIME']
else:
ccols = ['ORDER(COLL_NAME)', 'COLL_MODIFY_TIME']
if sort_order == 'desc':
ccols = [x.replace('ORDER(', 'ORDER_DESC(') for x in ccols]
zone = user.zone(ctx)
# First collect the names of the deposit groups directly under home
qcoll_above = Query(ctx, ["COLL_NAME"],
"COLL_PARENT_NAME = '/{}/home' AND COLL_NAME not like '/{}/home/vault-%' AND COLL_NAME not like '/{}/home/grp-vault-%'".format(zone, zone, zone),
offset=offset, limit=limit, output=AS_DICT)
all_colls = []
# Then collect the deposits that are directly under the deposit groups
for item in qcoll_above:
coll_name = item['COLL_NAME']
if "deposit-" in coll_name:
qcoll = Query(ctx, ccols,
"COLL_PARENT_NAME = '{}' AND COLL_NAME not like '/{}/home/vault-%' AND COLL_NAME not like '/{}/home/grp-vault-%'".format(coll_name, zone, zone),
offset=offset, limit=limit, output=AS_DICT)
colls = map(transform, list(qcoll))
all_colls += colls
return OrderedDict([('total', len(all_colls)),
('items', all_colls)])