-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathregister_stac.py
executable file
·382 lines (322 loc) · 16.6 KB
/
register_stac.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
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
#!/usr/bin/python3
import argparse
import sys
import tempfile
import defusedxml.ElementTree
import pystac
import stactools.sentinel1.grd.stac
import stactools.sentinel1.slc.stac
import stactools.sentinel2.stac
import stactools.sentinel3.stac
from stactools.sentinel3 import constants
import stactools.sentinel5p.stac
from stactools.sentinel3.file_extension_updated import FileExtensionUpdated
from tqdm import tqdm
from sentinel_stac import *
CONFIG_FILE = "sentinel_config.yml"
SUCC_PREFIX = ""
PRODUCT_ID = None
COLLECTION = None
# Stactools fixes
# Our S3 data don't contain reducedMeasurementData
stactools.sentinel3.constants.SRAL_L2_LAN_WAT_KEYS.remove("reducedMeasurementData")
# Monkey-patch class method of Sentinel3 module to avoid casting error
def new_ext(cls, obj: pystac.Asset, add_if_missing: bool = False):
return super(FileExtensionUpdated, cls).ext(obj, add_if_missing)
FileExtensionUpdated.ext = classmethod(new_ext)
def parse_arguments():
"""
Parse command line arguments. Check if combinations are valid.
"""
parser = argparse.ArgumentParser(
description='Generate Sentinel 1, 2, 3 and 5P metadata in STAC format from data fetched from a Sentinel OData '
'API. Configuration needs to be stored in sentinel_config.yml file and can be partly overwritten '
'by arguments. See README. The program requires --productId (-i) argument to be '
'provided and --save (-s) and/or --push (-p) option to be used. Example usage: '
'./register_stac.py -p -i 72250006-4290-40ec-987d-3ed771e690f3')
parser.add_argument('-i',
'--productId',
required=True,
help='UUID of product to generate STAC data for.')
parser.add_argument('-e',
'--sentinelHost',
required=False,
help='URL of server to fetch Sentinel data from, for example https://dhr1.cesnet.cz/.'
'Overwrites SENTINEL_HOST configuration option.')
parser.add_argument('-t',
'--stacHost',
required=False,
help='URL of server to push data to, for example https://stac.cesnet.cz.'
'Overwrites STAC_HOST configuration option.')
parser.add_argument('-l',
'--localDir',
required=False,
help='Local folder to which STAC json files shall be stored if --save option specified. '
'Overwrites LOCAL_DIR configuration option.')
parser.add_argument('-p',
'--push',
required=False,
action='store_true',
help='Enables pushing data to the catalogue at --stacHost.')
parser.add_argument('-s',
'--save',
required=False,
action='store_true',
help='Enables saving data locally.')
parser.add_argument('-o',
'--overwrite',
action='store_true',
required=False,
help='Include this flag to overwrite existing entries in the STAC catalogue.')
args = parser.parse_args()
if not args.push and not args.save:
die_with_error(PRODUCT_ID, '--push or --save required to take any action')
return args
def request_with_progress(url, output_path):
"""
Downloads a file from a URL and saves it to the specified output path, with a progress bar.
"""
# if ~/.netrc file is found, it is used automatically as a basic auth for all requests
response = requests.get(url, stream=True)
total_size = int(response.headers.get('content-length', 0)) # Total size in bytes
block_size = 1024 # Size of each block (1 KB)
if not response.ok:
die_with_error(PRODUCT_ID, f"Request to fetch file {url} failed.", response.text, response.status_code)
progress_bar = tqdm(total=total_size,
unit='iB',
unit_scale=True,
desc=f"Fetching file {output_path.split('/')[-1]}",
leave=True,
file=sys.stdout)
with open(output_path, "wb") as f:
for data in response.iter_content(block_size):
progress_bar.update(len(data))
f.write(data)
progress_bar.close()
def fetch_product_data(sentinel_host, metadata_dir):
"""
Fetch Sentinel data for given product UUID from the specified host.
"""
url = f"{sentinel_host}/odata/v1/Products('{PRODUCT_ID}')/Nodes"
output_path = os.path.join(metadata_dir, "node.xml")
request_with_progress(url, output_path)
with open(output_path, "rb") as f:
metadata = f.read()
data = defusedxml.ElementTree.fromstring(metadata)
namespaces = {'atom': 'http://www.w3.org/2005/Atom'}
entry_node = data.find('atom:entry', namespaces)
title_node = entry_node.find('atom:title', namespaces) if entry_node is not None else None
title = title_node.text if title_node is not None else None
product_node = entry_node.find('atom:id', namespaces) if entry_node is not None else None
product_url = product_node.text if product_node is not None else None
platform = title[0:2] if title else None
global COLLECTION
COLLECTION = map_to_collection(title)
if not title or not product_url:
die_with_error(PRODUCT_ID, "Missing required title or product url for product.")
print(f"Parsed product data for product (UUID {PRODUCT_ID}):\n"
f"* Title ID: {title}\n"
f"* Platform: {platform}\n"
f"* Collection: {COLLECTION}\n"
f"* Product URL: {product_url}")
return title, product_url, platform
def check_hosts(sentinel_host, stac_host, push):
"""
Checks sentinel_host and stac_host variables were resolved and .netrc file contains authentication credentials.
"""
check_host(PRODUCT_ID, sentinel_host)
if push:
check_host(PRODUCT_ID, stac_host)
def fetch_platform_metadata(product_url, metadata_dir, platform):
"""
Fetches metadata from product's /Nodes data and stores them in the metadata directory.
"""
if platform.lower() == "s1":
platform_files = S1_FILES
elif platform.lower() == "s2":
platform_files = S2_FILES
elif platform.lower() == "s3":
platform_files = S3_FILES
elif platform.lower() == "s5":
platform_files = S5_FILES
else:
die_with_error(PRODUCT_ID, f"Platform {platform} not supported!")
for file in platform_files:
source_url = f"{product_url}/Nodes('{file}')/$value"
output_file = os.path.join(metadata_dir, file)
request_with_progress(source_url, output_file)
def fetch_nested_s1_files(metadata, product_url, metadata_dir):
"""
From the processed metadata file downloads the missing metadata files, which we know
the stactools will be working with.
"""
filepaths = metadata.annotation_hrefs + metadata.noise_hrefs + metadata.calibration_hrefs
for ref_name, filepath in filepaths:
url_path_extension = filepath.split(f"{metadata_dir}{'/'}")[1]
url_path_segments = url_path_extension.split('/')
nested_file_url = product_url + ''.join(f"/Nodes('{segment}')" for segment in url_path_segments) + "/$value"
create_missing_dir(os.path.dirname(filepath))
request_with_progress(nested_file_url, filepath)
def fetch_nested_s2_files(metadata, product_url, metadata_dir):
"""
From the processed metadata file downloads the missing metadata files, which we know
the stactools will be working with.
"""
filepaths = [metadata.product_metadata_href,
metadata.granule_metadata_href,
metadata.inspire_metadata_href,
metadata.datastrip_metadata_href,
]
for filepath in filepaths:
url_path_extension = filepath.split(f"{metadata_dir}{'/'}")[1]
url_path_segments = url_path_extension.split('/')
nested_file_url = product_url + ''.join(f"/Nodes('{segment}')" for segment in url_path_segments) + "/$value"
create_missing_dir(os.path.dirname(filepath))
request_with_progress(nested_file_url, filepath)
def fetch_s5_metadata(product_url, title, metadata_dir):
"""
Fetches metadata directly from the product node - {{hostname}}/odata/v1/Products('{{UUID}}')/Node({{'title'}}/$value
and stores them in a file named by the product title in the metadata directory.
"""
url = f"{product_url}/$value"
output_file = os.path.join(metadata_dir, title)
request_with_progress(url, output_file)
def regenerate_href_links(stacfile_path, metadata_dir, product_url, salt):
"""
Replaces href links in the final json containing the local path to contain the OData path and format.
Cannot use stactools' create_item function parameters for this change, as the stac module is then actually reading
from the hrefs, or the change does not affect all the hrefs.
"""
print("Regenerating href links")
new_file = stacfile_path.split('/')
new_file[-1] = 'new_' + new_file[-1]
new_file = os.path.join('/', *new_file)
with (open(stacfile_path, 'r') as infile, open(new_file, 'w') as outfile):
for line in infile:
if metadata_dir in line:
# replace file links
split_line = line.split('"') # [' ', 'href', ': ', 'matadata_dir/resource/path', '\n']
url_path_segments = split_line[-2].split(f"{metadata_dir}{'/'}")[1].split("/")
correct_link = product_url + ''.join(
f"/Nodes('{segment}')" for segment in url_path_segments) + "/$value"
split_line[-2] = correct_link
outfile.write('"'.join(split_line))
elif '"id":' in line and salt:
# prefix title, so unique UUID is generated if same product comes from different sources
split_line = line.split('": "')
salted_line = split_line[0] + '": "' + salt + split_line[1]
outfile.write(salted_line)
else:
outfile.write(line)
os.replace(new_file, stacfile_path)
def update_catalogue_entry(stac_host, entry_id, json_data, auth_token=None):
"""
Updates stac entry by fully rewriting it
"""
url = f"{stac_host}/collections/{COLLECTION}/items/{entry_id}"
print(f"Overwriting existing product entry in STAC catalogue.")
token = auth_token or get_auth_token(f"{stac_host}/auth", PRODUCT_ID)
token_session = get_auth_session(token)
response = token_session.put(url, data=json_data)
if not response.ok:
die_with_error(PRODUCT_ID, f"Could not remove existing product from catalogue.", response.text, response.status_code)
def upload_to_catalogue(stac_host, stac_filepath, overwrite=False):
"""
Uploads the stac file to the catalogue.
Reports progress in the preconfigured files suffixed by the current date.
"""
url = f"{stac_host}/collections/{COLLECTION}/items"
print(f"Uploading STAC data to {url}")
token = get_auth_token(f"{stac_host}/auth", PRODUCT_ID)
with open(stac_filepath, 'r') as file:
json_data = file.read()
rundate = datetime.now().strftime('%Y-%m-%d')
token_session = get_auth_session(token)
response = token_session.post(url, data=json_data)
if response.ok:
succ_file = SUCC_PREFIX + rundate
create_missing_dir(os.path.dirname(succ_file))
with open(succ_file, 'a') as f:
f.write(f"{COLLECTION},{PRODUCT_ID}\n")
elif response.status_code == 409:
if not overwrite:
# don't die
create_missing_dir(os.path.dirname(ERR_FILE))
with open(ERR_FILE, 'a') as f:
f.write(f"{COLLECTION},{PRODUCT_ID},0,Skipped existing product\n")
print("Product already registered, skipping.")
else:
if response.text and "Feature" in response.text and "ErrorMessage" in response.text:
stac_product_id = response.json().get("ErrorMessage").split(" ")[1]
update_catalogue_entry(stac_host, stac_product_id, json_data, token)
else:
die_with_error(PRODUCT_ID, "Cannot update existing entry, feature id expected in response not found.")
elif response.status_code == 404:
die_with_error(PRODUCT_ID, "Wrong URL, or collection does not exist.", response.text, response.status_code)
else:
die_with_error(PRODUCT_ID, f"Request to upload STAC file failed", response.text, response.status_code)
def main():
args = parse_arguments()
config = read_configuration(CONFIG_FILE)
global PRODUCT_ID
PRODUCT_ID = args.productId
sentinel_host = args.sentinelHost or config.get("SENTINEL_HOST")
stac_host = args.stacHost or config.get("STAC_HOST")
if args.save and config.get("LOCAL_DIR") is None and args.localDir is None:
die_with_error(PRODUCT_ID, "Flag --save was provided, but LOCAL_DIR option not configured and not specified "
"in the --localDir argument!")
stac_storage = args.localDir or os.path.join(config.get("LOCAL_DIR"), "register_stac")
if stac_storage is not None:
if not os.path.isabs(stac_storage):
die_with_error(PRODUCT_ID, "Valid path not used for the stac storage argument - expected an absolute directory path!")
create_missing_dir(os.path.dirname(stac_storage))
global SUCC_PREFIX, ERR_PREFIX
SUCC_PREFIX = config.get("SUCC_PREFIX")
ERR_PREFIX = config.get("ERR_PREFIX")
if args.push and (SUCC_PREFIX is None or ERR_PREFIX is None):
die_with_error(PRODUCT_ID, "Flag --push was provided, but SUCC_PREFIX and ERR_PREFIX need to be set in the configuration "
"file for logging!")
salt = config.get("SALT")
if args.push and not stac_host:
die_with_error(PRODUCT_ID, '--push requires --stacHost argument or STAC_HOST configuration option to be set!')
check_hosts(sentinel_host, stac_host, args.push)
with (tempfile.TemporaryDirectory() as metadata_dir):
print(f"Created temporary directory: {metadata_dir}")
title, product_url, platform = fetch_product_data(sentinel_host, metadata_dir)
metadata_dir = os.path.join(metadata_dir, title)
os.mkdir(metadata_dir)
fetch_platform_metadata(product_url, metadata_dir, platform)
try:
if platform.lower() == "s1":
product_type = title.split("_")[2]
if product_type.lower() == "slc":
metadata = stactools.sentinel1.slc.stac.SLCMetadataLinks(metadata_dir)
fetch_nested_s1_files(metadata, product_url, metadata_dir)
item = stactools.sentinel1.slc.stac.create_item(granule_href=metadata_dir)
else:
metadata = stactools.sentinel1.grd.stac.MetadataLinks(metadata_dir)
fetch_nested_s1_files(metadata, product_url, metadata_dir)
item = stactools.sentinel1.grd.stac.create_item(granule_href=metadata_dir)
elif platform.lower() == "s2":
safe_manifest = stactools.sentinel2.stac.SafeManifest(metadata_dir)
fetch_nested_s2_files(safe_manifest, product_url, metadata_dir)
item = stactools.sentinel2.stac.create_item(granule_href=metadata_dir)
elif platform.lower() == "s3":
item = stactools.sentinel3.stac.create_item(granule_href=metadata_dir, skip_nc=True)
elif platform.lower() == "s5":
fetch_s5_metadata(product_url, title, metadata_dir)
item = stactools.sentinel5p.stac.create_item(os.path.join(metadata_dir, title))
else:
raise Exception(f"Unknown platform {platform}")
except Exception as e:
die_with_error(PRODUCT_ID, e.args[0] if e.args and len(str(e.args[0])) > 5 else str(e))
stac_storage = stac_storage if args.save else metadata_dir
stac_filepath = os.path.join(stac_storage, "{}.json".format(item.id))
print(f"Writing metadata to file: {stac_filepath}")
item.save_object(dest_href=stac_filepath, include_self_link=False)
regenerate_href_links(stac_filepath, metadata_dir, product_url, salt)
if args.push:
upload_to_catalogue(stac_host, stac_filepath, overwrite=args.overwrite)
print("Finished")
if __name__ == "__main__":
main()