-
Notifications
You must be signed in to change notification settings - Fork 1
/
main.py
1073 lines (950 loc) · 44.4 KB
/
main.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
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
import argparse
import configparser
import os, stat
import subprocess
import sys
from datetime import datetime
from datetime import timedelta
# code_home = os.path.abspath('')
# print(code_home)
from c2rcc import C2RCC
from polymer_lois import POLYMER
from fub_csiro_lois import FUB_CSIRO
from acolite_lois import ACOLITE
from idepix_lois import IDEPIX
from baltic_mlp import BALTIC_MLP
from baltic_all import BALTIC_ALL
from baltic_202411 import BALTIC_202411_PROCESSOR
import zipfile as zp
from check_geo import CHECK_GEO
from multiprocessing import Pool
parser = argparse.ArgumentParser(description="Algorithm launcher")
parser.add_argument("-v", "--verbose", help="Verbose mode.", action="store_true")
parser.add_argument("-p", "--product", help="Input product (testing)")
parser.add_argument("-csv", "--input_csv", help="Input csv (testing)")
parser.add_argument('-i', "--inputpath", help="Input directory")
parser.add_argument('-o', "--outputpath", help="Output directory", required=True)
parser.add_argument('-tp', "--temp_path", help="Temporary directory")
parser.add_argument('-sd', "--start_date", help="Start date (yyyy-mm-dd)")
parser.add_argument('-ed', "--end_date", help="End date (yyyy-mm-dd")
parser.add_argument('-wce', "--wce", help="Wild card expression")
parser.add_argument('-c', "--config_file", help="Configuration file (Default: aceasy_config.ini)")
parser.add_argument('-ac', "--atm_correction", help="Atmospheric correction",
choices=["C2RCC", "POLYMER", "FUB_CSIRO", "ACOLITE", "IDEPIX", "BALMLP", "BALALL", "QI",
"BAL202411"], required=True)
parser.add_argument('-type', "--type_product", help="Type product for Baltic_2024", default="cci",
choices=["cci", "polymer", "l3_olci_nr","l3_olci_nt"])
parser.add_argument('-type_polymer', "--type_product_polymer", help="Type product for POLYMER", default="cci",
choices=["olci_l3", "s2_msi", "prisma"])
args = parser.parse_args()
# def save_areas(input_path, output_path):
# for name in os.listdir(input_path):
#
# if name.startswith('S3A_OL_1_EFR') or name.startswith('S3B_OL_1_EFR'):
# prod_path = os.path.join(input_path, name)
# cgeo = CHECK_GEO()
# if prod_path.endswith('SEN3'):
# cgeo.start_polygon_from_prod_manifest_file(prod_path)
# if prod_path.endswith('zip'):
# cgeo.start_polygon_image_from_zip_manifest_file(prod_path)
# output_file = os.path.join(output_path, name[:-3] + '.kml')
# cgeo.save_polygon_image_askml(output_file)
# Params-> 0: corrector; 1: input_path; 2: output_path; 3: zipped input path; 4: alternative path, 5: zipped alternative input path
def run_parallel_corrector(params):
corrector = params[0]
path_product_input = params[1]
output_file = params[2]
zipped_input_path = params[3]
alt_path_product_input = params[4]
zipped_alt_input_path = params[5]
if zipped_input_path: # zipped
path_product_input = do_zip(path_product_input)
valid_input, iszipped_input = check_path_validity(path_product_input, None)
if valid_input and not iszipped_input:
b = corrector.run_process(path_product_input, output_file)
##ERROR,WORKING WITH ALTERNATIVE PATH
if not b and alt_path_product_input is not None:
if args.verbose:
print(f'[INFO] Error with main path. Working with alternative path: {alt_path_product_input}')
if zipped_alt_input_path:
alt_path_product_input = do_zip(alt_path_product_input)
valid_input_alt, iszipped_input_alt = check_path_validity(alt_path_product_input, None)
if valid_input_alt and not iszipped_input_alt:
corrector.run_process(alt_path_product_input, output_file)
if zipped_alt_input_path:
delete_unzipped_path(alt_path_product_input)
else:
print(f'[ERROR] Path {path_product_input} is not valid. Skiping...')
if zipped_input_path:
delete_unzipped_path(path_product_input)
def delete_folder_content(path_folder):
res = True
for f in os.listdir(path_folder):
try:
os.remove(os.path.join(path_folder, f))
except OSError:
res = False
return res
def delete_unzipped_path(path_prod_u):
if args.verbose:
print(f'[INFO] Deleting unzipped path prod {path_prod_u}')
cmd = f'rm -rf {path_prod_u}'
prog = subprocess.Popen(cmd, shell=True, stderr=subprocess.PIPE)
out, err = prog.communicate()
cmd = f'rmdir {path_prod_u}'
prog = subprocess.Popen(cmd, shell=True, stderr=subprocess.PIPE)
out, err = prog.communicate()
def get_input_path_folder(input_path, date_here, input_path_organization):
if input_path_organization is None:
return input_path
input_path_date = input_path
for fdate in input_path_organization.split('/'):
input_path_date = os.path.join(input_path_date, date_here.strftime(fdate.strip()))
return input_path_date
# year_str = date_here.strftime('%Y')
# day_str = date_here.strftime('%j')
# input_path_date = os.path.join(input_path, year_str, day_str)
def get_output_path_jday(output_path, date_here):
year_str = date_here.strftime('%Y')
day_str = date_here.strftime('%j')
output_path_year = os.path.join(output_path, year_str)
if not os.path.exists(output_path_year):
st = os.stat(output_path)
os.chmod(output_path, st.st_mode | stat.S_IWOTH | stat.S_IWGRP)
os.mkdir(output_path_year)
output_path_jday = os.path.join(output_path_year, day_str)
if not os.path.exists(output_path_jday):
st = os.stat(output_path_year)
os.chmod(output_path_year, st.st_mode | stat.S_IWOTH | stat.S_IWGRP)
os.mkdir(output_path_jday)
st = os.stat(output_path_jday)
os.chmod(output_path_jday, st.st_mode | stat.S_IWOTH | stat.S_IWGRP)
return output_path_jday
def get_input_path_cci_default(input_path, date_here):
format_name = 'M$DATE1$.0000.bal.all_products.CCI.$DATE2$0000.v0.$DATE1$0000.data.nc'
date1 = date_here.strftime('%Y%j')
date2 = date_here.strftime('%d%b%y')
name = format_name.replace('$DATE1$', date1)
name = name.replace('$DATE2$', date2)
input_file = os.path.join(input_path, name)
return input_file
def get_geo_limits(option):
geo_limits = None
if option.strip().lower() == 'bal':
geo_limits = [53.25, 65.85, 9.25, 30.25]
else:
try:
lstr = options.strip().split(',')
if len(lstr) == 4:
geo_limits = [float(lstr[0]), float(lstr[1]), float(lstr[2]), float(lstr[3])]
except:
geo_limits = None
return geo_limits
def check_geo_limits(prod_path, geo_limits, iszipped):
if geo_limits is None:
return 1
cgeo = CHECK_GEO()
if iszipped:
if not cgeo.check_zip_file(prod_path):
return -1
cgeo.start_polygon_image_from_zip_manifest_file(prod_path)
check_geo = cgeo.check_geo_area(geo_limits[0], geo_limits[1], geo_limits[2], geo_limits[3])
return check_geo
if not iszipped:
cgeo.start_polygon_from_prod_manifest_file(prod_path)
check_geo = cgeo.check_geo_area(geo_limits[0], geo_limits[1], geo_limits[2], geo_limits[3])
return check_geo
def print_check_geo_errors(check_geo):
if args.verbose:
if check_geo == 0:
print(f'[WARNING] Image out of the interest area. Skiping')
elif check_geo == -1:
print(f'[WARNING] Image covegara could not be checked: invalid product. Skiping')
def check_exist_output_file(prod_path, output_dir, suffix):
prod_name = prod_path.split('/')[-1]
valid = False
if os.path.isdir(prod_path) and prod_name.endswith('.SEN3') and prod_name.find('EFR') > 0:
valid = True
if not os.path.isdir(prod_path) and prod_name.endswith('.zip') and prod_name.find('EFR') > 0:
valid = True
if not valid:
return -1, None
output_path = None
if prod_name.endswith('.zip'):
prod_name = prod_name[:-4]
if not prod_name.endswith('.SEN3'):
prod_name = prod_name + '.SEN3'
if prod_name.endswith('.SEN3'):
if os.path.isdir(output_dir):
output_name = prod_name[0:-5] + '_' + suffix + '.nc'
output_path = os.path.join(output_dir, output_name)
if output_path is None:
return -1, None
if os.path.exists(output_path):
return 1, output_path
else:
return 0, output_path
def check_l3_olci_path(prod_path,date_here):
from datetime import datetime as dt
refs = ['400','412_5','442_5','490','510','560','620','665','673_75','681_25','708_75','753_75','778_75','865']
all_files = []
if date_here is None:
yyyy = prod_path.split('/')[-2]
jjj = prod_path.split('/')[-3]
try:
date_here = dt.strptime(f'{yyyy}{jjj}','%Y%j')
except:
pass
if date_here is not None:
for ref in refs:
yyyy = date_here.strftime('%Y')
jjj = date_here.strftime('%j')
file_rrs = os.path.join(prod_path,f'O{yyyy}{jjj}-rrs{ref}-bal-fr.nc')
if os.path.exists(file_rrs):
all_files.append(file_rrs)
else:
for ref in refs:
for name in os.listdir(prod_path):
if name.find(ref)>0:
all_files.append(os.path.join(prod_path,name))
if len(all_files)<len(refs):
all_files = None
return all_files
def check_path_validity(prod_path, prod_name):
valid = False
iszipped = False
if prod_path is None:
return valid, iszipped
if prod_name is None:
prod_name = prod_path.split('/')[-1]
if args.wce:
if prod_name.find(args.wce) < 0:
return valid, iszipped
if args.atm_correction == 'BALMLP' and prod_name.endswith('_POLYMER.nc'):
valid = True
return valid, iszipped
if args.atm_correction == 'BALALL':
valid = True
return valid, iszipped
if args.atm_correction == 'BAL202411':
if args.type_product == 'cci' and prod_name.endswith('.nc'):
valid = True
elif args.type_product == 'polymer' and prod_name.endswith('_POLYMER.nc'):
valid = True
elif args.type_product.startswith('l3_olci_') and check_l3_olci_path(prod_path,None) is not None:
valid = True
else:
valid = False
return valid, iszipped
if os.path.isdir(prod_path) and prod_name.endswith('.SEN3') and prod_name.find('EFR') > 0:
valid = True
return valid, iszipped
if not os.path.isdir(prod_path) and prod_name.endswith('.zip') and prod_name.find('EFR') > 0:
iszipped = True
if not args.temp_path:
print(
f'[ERROR] Temporary path must be defined to work with zip files. Use the option -tp')
valid = False
return valid, iszipped
if not os.path.exists(args.temp_path):
print(f'[ERROR] Temporary path {args.temp_path} does not exist')
valid = False
return valid, iszipped
valid = True
return valid, iszipped
return valid, iszipped
def search_alternative_prod_path(f, data_alternative_path, year_str, day_str):
# print(data_alternative_path)
# print(f)
# print(year_str)
# print(day_str)
if data_alternative_path is None:
return None
output_path = os.path.join(data_alternative_path, year_str, day_str)
if not os.path.exists(output_path):
output_path = data_alternative_path
# print(f'Output path {output_path}' )
if not os.path.exists(output_path) or not os.path.isdir(output_path):
return None
sdate, edate = get_start_end_times_from_file_name(f)
# print(f'SDate: {sdate} Edate {edate}')
if sdate is None or edate is None:
return None
sensor = f[0:3]
for fout in os.listdir(output_path):
output_path_jday = os.path.join(output_path, fout)
if fout.startswith(sensor) and fout.find('EFR') > 0:
sdate_o, edate_o = get_start_end_times_from_file_name(fout)
# print(f'Alternative path: {output_path_jday} Sdate {sdate_o} Edate {edate_o}')
if sdate_o is not None and edate_o is not None:
# print(f'Here: {sdate}>={sdate_o} --- {edate}<={edate_o}')
if sdate >= sdate_o and edate <= edate_o:
return output_path_jday
if sdate_o <= sdate <= edate_o < edate:
sec_total = (edate - sdate).total_seconds()
sec_out = (edate - edate_o).total_seconds()
porc = ((sec_total - sec_out) / sec_total) * 100
if porc > 50:
return output_path_jday
if sdate < sdate_o <= edate <= edate_o:
sec_total = (edate - sdate).total_seconds()
sec_out = (sdate_o - sdate).total_seconds()
porc = ((sec_total - sec_out) / sec_total) * 100
if porc > 50:
return output_path_jday
return None
def get_start_end_times_from_file_name(fname):
lfname = fname.split('_')
sdate = None
edate = None
for l in lfname:
if sdate is None and edate is None:
try:
sdate = datetime.strptime(l.strip(), '%Y%m%dT%H%M%S')
except:
pass
elif sdate is not None and edate is None:
try:
edate = datetime.strptime(l.strip(), '%Y%m%dT%H%M%S')
except:
pass
return sdate, edate
def do_zip(prod_path):
if args.verbose:
print(f'[INFO] Working with zip path: {prod_path}')
unzip_path = args.temp_path
with zp.ZipFile(prod_path, 'r') as zprod:
if args.verbose:
print(f'[INFO] Unziping {prod_name} to {unzip_path}')
zprod.extractall(path=unzip_path)
path_prod_u = prod_path.split('/')[-1][0:-4]
if not path_prod_u.endswith('.SEN3'):
path_prod_u = path_prod_u + '.SEN3'
path_prod_u = os.path.join(unzip_path, path_prod_u)
if os.path.exists(path_prod_u):
if args.verbose:
print(f'[INFO] Running atmospheric correction for {path_prod_u}')
return path_prod_u
return None
# input_file (param[0]) could be repeated
def optimize_param_list(param_list):
param_list_new = [param_list[0]]
for idx in range(1, len(param_list)):
repeated = False
for icheck in range(idx):
if param_list[idx][1] == param_list[icheck][1]:
repeated = True
break
if not repeated:
param_list_new.append(param_list[idx])
return param_list_new
def get_alternative_path(f, data_alternative_path):
sat_time, sat_time_o = get_start_end_times_from_file_name(f)
year_str = sat_time.strftime('%Y')
day_str = sat_time.strftime('%j')
prod_path_altn = search_alternative_prod_path(f, data_alternative_path, year_str, day_str)
prod_path_alt = None
iszipped_alt = False
if prod_path_altn is not None:
prod_name_altn = prod_path_altn.split('/')[-1]
valid_alt, iszipped_alt = check_path_validity(prod_path_altn, prod_name_altn)
if valid_alt:
check_geo = check_geo_limits(prod_path_altn, geo_limits, iszipped_alt)
if check_geo == 1:
prod_path_alt = prod_path_altn
return prod_path_alt, iszipped_alt
def get_unzipped_path(prod_path, output_path):
with zp.ZipFile(prod_path, 'r') as zprod:
if args.verbose:
print(f'[INFO] Unziping {f} to {output_path}')
zprod.extractall(path=output_path)
path_prod_u = prod_path.split('/')[-1][0:-4]
if not path_prod_u.endswith('.SEN3'):
path_prod_u = path_prod_u + '.SEN3'
path_prod_u = os.path.join(output_path, path_prod_u)
return path_prod_u
def check():
print('CHECKING...')
# file_in = '/mnt/c/DATA_LUIS/OCTAC_WORK/BAL_EVOLUTION/MONTHLY_BASE/O2022335365-chl_monthly-bal-fr.nc'
file_in = '/mnt/c/DATA_LUIS/OCTAC_WORK/BAL_EVOLUTION/MONTHLY_BASE/O2022335365-kd490_monthly-bal-fr.nc'
from netCDF4 import Dataset
import numpy as np
from datetime import datetime as dt
from datetime import timedelta
dataset = Dataset(file_in, 'a')
time_new = dt(2022, 12, 1, 0, 0, 0)
time_new_seconds = int((time_new - dt(1981, 1, 1, 0, 0, 0)).total_seconds())
var_time = dataset.variables['time']
time_array = np.array(var_time[:])
time_array[0] = time_new_seconds
var_time[:] = [time_array[:]]
# var_chl = dataset.variables['CHL']
# chl_array = np.array(var_chl)
# chl_array[:] = -999.0
# var_chl[:] = [chl_array[:]]
#
# var_chl_count = dataset.variables['CHL_count']
# chl_count_array = np.array(var_chl_count)
# chl_count_array[:] = 0.0
# var_chl_count[:] = [chl_count_array[:]]
#
# var_chl_error = dataset.variables['CHL_error']
# chl_error_array = np.array(var_chl_error)
# chl_error_array[:] = -999.0
# var_chl_error[:] = [chl_error_array[:]]
var_chl = dataset.variables['KD490']
chl_array = np.array(var_chl)
chl_array[:] = -999.0
var_chl[:] = [chl_array[:]]
var_chl_count = dataset.variables['KD490_count']
chl_count_array = np.array(var_chl_count)
chl_count_array[:] = 0.0
var_chl_count[:] = [chl_count_array[:]]
var_chl_error = dataset.variables['KD490_error']
chl_error_array = np.array(var_chl_error)
chl_error_array[:] = -999.0
var_chl_error[:] = [chl_error_array[:]]
dataset.start_date = time_new.strftime('%Y-%m-%d')
dataset.stop_date = dt(2022, 12, 31).strftime('%Y-%m-%d')
dataset.close()
return True
def do_script_bal_cci():
print('HERE')
# base = 'python /store/COP2-OC-TAC/BAL_Evolutions/slurmscripts_202411/aceasy/main.py -ac BAL202411 -p /store3/OC/CCI_v2017/V6/$NAME$ -o /store3/OC/CCI_v2017/daily_v202411/PFT_Images -v'
base = 'python /store/COP2-OC-TAC/BAL_Evolutions/slurmscripts_202411/aceasy/main.py -ac BAL202411 -type olci_l3 -p /store/COP2-OC-TAC/BAL_Evolutions/POLYMERWHPC/$NAME$ -o /store3/OC/CCI_v2017/daily_olci_v202411 -v'
# M2015308.0000.bal.all_products.CCI.04Nov150000.v0.20153080000.data.nc
format_name = 'M$DATE1$.0000.bal.all_products.CCI.$DATE2$0000.v0.$DATE1$0000.data.nc'
from datetime import datetime as dt
# file_csv = '/mnt/c/DATA_LUIS/OCTAC_WORK/MATCH-UPS_ANALYSIS_2024/BAL/CSV_MATCH-UPS/MULTI/Baltic_CHLA_Valid_AllSources_1997-2023_FINAL_extracts_rrs_chl_3x3_filtered_match-ups.csv'
# file_csv = '/mnt/c/DATA_LUIS/OCTAC_WORK/MATCH-UPS_ANALYSIS_2024/BAL/CODE_DAVIDE_2024/Date_BAL_per_MatchupPFT_releaseNov2024_PER_LUIS.csv'
file_csv = '/mnt/c/DATA_LUIS/OCTAC_WORK/MATCH-UPS_ANALYSIS_2024/BAL/CODE_DAVIDE_2024/Dates_OLCI.csv'
import pandas as pd
import numpy as np
df = pd.read_csv(file_csv, sep=';')
dates = np.array(df['DATE'])
dates_unique = np.unique(dates)
# start_date = dt(2018, 6, 1)
# end_date = dt(2018, 9, 30)
# date_here = start_date
file_out = '/mnt/c/DATA_LUIS/OCTAC_WORK/MATCH-UPS_ANALYSIS_2024/BAL/temp_olci_2.txt'
fw = open(file_out, 'w')
# while date_here <= end_date:
# date_here = date_here + timedelta(hours=24)
# # date1 = date_here.strftime('%Y%j')
# # date2 = date_here.strftime('%d%b%y')
# # name = format_name.replace('$DATE1$', date1)
# # name = name.replace('$DATE2$', date2)
# name = date_here.strftime('%j')
# src = base.replace('$NAME$', name)
# fw.write('\n')
# fw.write(src)
for d in dates_unique:
date_here = dt.strptime(d, '%Y-%m-%d')
##cci
# date1 = date_here.strftime('%Y%j')
# date2 = date_here.strftime('%d%b%y')
# name = format_name.replace('$DATE1$',date1)
# name = name.replace('$DATE2$',date2)
##olci
name = date_here.strftime('%Y/%j')
src = base.replace('$NAME$', name)
print(src)
fw.write('\n')
fw.write(src)
fw.close()
return True
def get_dates_from_arg():
from datetime import datetime as dt
from datetime import timedelta
start_date = None
end_date = None
if args.start_date:
try:
start_date = dt.strptime(args.start_date, '%Y-%m-%d')
except:
try:
tdelta = int(args.start_date)
start_date = dt.now() + timedelta(days=tdelta)
start_date = start_date.replace(hour=12, minute=0, second=0, microsecond=0)
except:
print(f'[ERROR] Start date {args.start_date} is not in the correct format: YYYY-mm-dd or integer')
if args.end_date:
try:
end_date = dt.strptime(args.end_date, '%Y-%m-%d')
except:
try:
tdelta = int(args.end_date)
end_date = dt.now() + timedelta(days=tdelta)
end_date = end_date.replace(hour=12, minute=0, second=0, microsecond=0)
except:
print(f'[ERROR] End date {args.end_date} is not in the correct format: YYYY-mm-dd or integer')
if args.start_date and not args.end_date:
end_date = start_date
return start_date, end_date
def do_check_coverage():
print('CHECK COVERAGE')
format_name = 'M$DATE1$.0000.bal.all_products.CCI.$DATE2$0000.v0.$DATE1$0000.data.nc'
from datetime import datetime as dt
from netCDF4 import Dataset
import numpy as np
file_out = '/store3/OC/CCI_v2017/daily_v202411/coverage.csv'
file_log = '/store3/OC/CCI_v2017/daily_v202411/coverage_errors.log'
fw = open(file_out, 'w')
fw.write('Date;NChl-a;AvgChla;NCyano;AvgCyano')
flog = open(file_log, 'w')
flog.write('LOG COVERAGE')
start_date = dt(1997, 9, 4)
end_date = dt(2023, 12, 31)
date_here = start_date
dir_orig = '/store3/OC/CCI_v2017/V6'
dir_daily = '/store3/OC/CCI_v2017/daily_v202411'
while date_here <= end_date:
date_here = date_here + timedelta(hours=24)
date1 = date_here.strftime('%Y%j')
date2 = date_here.strftime('%d%b%y')
name = format_name.replace('$DATE1$', date1)
name = name.replace('$DATE2$', date2)
file_orig = os.path.join(dir_orig, name)
if os.path.exists(file_orig):
file_daily = os.path.join(dir_daily, date_here.strftime('%Y'), date_here.strftime('%j'),
f'C{date1}-chl-bal-hr.nc')
file_pft = os.path.join(dir_daily, date_here.strftime('%Y'), date_here.strftime('%j'),
f'C{date1}-pft-bal-hr.nc')
if os.path.exists(file_daily):
try:
dataset = Dataset(file_daily)
chl = dataset.variables['CHL'][:]
n_chl = np.ma.count(chl)
avg_chl = np.ma.mean(chl[:]) if n_chl > 0 else 0
cyanobloom = dataset.variables['CYANOBLOOM'][:]
n_cyano = np.ma.count(cyanobloom)
avg_cyano = np.ma.mean(cyanobloom[:]) if n_cyano > 0 else 0
line = f'{date_here.strftime("%Y-%m-%d")};{n_chl};{avg_chl};{n_cyano};{avg_cyano}'
fw.write('\n')
fw.write(line)
dataset.close()
except:
flog.write('\n')
flog.write(f'[ERROR] {date_here.strftime("%Y-%m-%d")}: Error in file: {file_daily}')
else:
flog.write('\n')
flog.write(f'[ERROR] {date_here.strftime("%Y-%m-%d")}: File {file_daily} is not available')
if not os.path.exists(file_pft):
flog.write('\n')
flog.write(f'[ERROR] {date_here.strftime("%Y-%m-%d")}: File {file_daily} is not available')
fw.close()
flog.close()
def mv_polymer_sources():
from datetime import datetime as dt
dir_output = '/store3/OC/OLCI_POLYMER'
dir_sources_1 = '/store/COP2-OC-TAC/BAL_Evolutions/POLYMER_WATER'
dir_sources_2 = '/store/COP2-OC-TAC/BAL_Evolutions/POLYMER_WATERN'
dir_sources_3 = '/store/COP2-OC-TAC/BAL_Evolutions/POLYMERWHPC'
date_here = dt(2016, 4, 26)
end_date = dt(2023, 12, 31)
year_ref = 1900
fw = None
while date_here <= end_date:
year = date_here.year
if year != year_ref:
if fw is not None: fw.close()
fout = os.path.join(dir_output, f'mvpw_{year}.slurm')
fw = open(fout, 'w')
fw.write('# !/bin/bash')
fw.write('\n')
fw.write('# SBATCH --nodes=1')
fw.write('\n')
fw.write('# SBATCH --ntasks=1')
fw.write('\n')
fw.write('# SBATCH -p octac_rep')
fw.write('\n')
fw.write('# SBATCH --mail-type=BEGIN,END,FAIL')
fw.write('\n')
fw.write('# SBATCH [email protected]')
fw.write('\n')
year_ref = year
yyyy = date_here.strftime('%Y')
jjj = date_here.strftime('%j')
dir_day_1 = os.path.join(dir_sources_1, yyyy, jjj)
dir_day_2 = os.path.join(dir_sources_2, yyyy, jjj)
dir_day_3 = os.path.join(dir_sources_3, yyyy, jjj)
file_list = []
if os.path.exists(dir_day_1):
for name in os.listdir(dir_day_1):
if name.endswith('POLYMER_MLP.nc'):
file = os.path.join(dir_day_1, name)
if file not in file_list:
file_list.append(file)
if os.path.exists(dir_day_2):
for name in os.listdir(dir_day_2):
if name.endswith('POLYMER_MLP.nc'):
file = os.path.join(dir_day_2, name)
if file not in file_list:
file_list.append(file)
if os.path.exists(dir_day_3):
for name in os.listdir(dir_day_3):
if name.endswith('POLYMER_MLP.nc'):
file = os.path.join(dir_day_3, name)
if file not in file_list:
file_list.append(file)
if len(file_list) > 0:
dir_output_year = os.path.join(dir_output, yyyy)
dir_output_jday = os.path.join(dir_output_year, jjj)
if not os.path.exists(dir_output_year):
os.mkdir(dir_output_year)
if not os.path.exists(dir_output_jday):
os.mkdir(dir_output_jday)
for file in file_list:
fw.write('\n')
name_f = file.split('/')[-1]
file_output = os.path.join(dir_output_jday, name_f)
line = f'mv {file} {file_output}'
fw.write(line)
date_here = date_here + timedelta(hours=24)
fw.close()
# Press the green button in the gutter to run the script.
if __name__ == '__main__':
print('[INFO] Started')
# b = mv_polymer_sources()
# if b:
# sys.exit()
# b = do_check_coverage()
# if b:
# sys.exit()
# b = do_script_bal_cci()
# if b:
# sys.exit()
# b = check()
# if b:
# sys.exit()
fconfig = None
name_config = 'aceasy_config.ini'
if args.config_file:
fconfig = args.config_file
else:
saceasy = os.path.abspath(os.path.dirname(__file__))
sdir = os.path.dirname(saceasy)
fconfig = os.path.join(sdir,name_config)
if not os.path.exists(fconfig):
fconfig = os.path.join(saceasy, name_config)
if not os.path.exists(fconfig):
if os.path.exists(name_config):
fconfig = name_config
elif os.path.exists(os.path.join('aceasy', name_config)):
fconfig = os.path.join('aceasy', name_config)
if fconfig is None:
print(f'[ERROR] Config file is required')
exit(1)
if not os.path.exists(fconfig):
print(f'[ERROR] Config file: {fconfig} does not exist')
exit(1)
else:
print(f'[INFO] Config file: {fconfig}')
if not args.product and not args.inputpath and not args.input_csv:
print(f'[ERROR] Product file, input folder or input csv file are required')
exit(1)
input_path = None
input_csv = None
if args.inputpath:
input_path = args.inputpath
if args.product:
prod_path = args.product
if args.input_csv:
input_csv = args.input_csv
if not args.outputpath:
print(f'[ERROR] Output folder option is required')
exit(1)
output_path = args.outputpath
if args.atm_correction == 'C2RCC':
corrector = C2RCC(fconfig, args.verbose)
suffix = 'C2RCC'
elif args.atm_correction == 'POLYMER':
corrector = POLYMER(fconfig, args.verbose)
if args.type_product_polymer:
corrector.product_type = args.type_product_polymer
suffix = 'POLYMER'
elif args.atm_correction == 'FUB_CSIRO':
corrector = FUB_CSIRO(fconfig, args.verbose)
suffix = 'FUB'
elif args.atm_correction == 'ACOLITE':
corrector = ACOLITE(fconfig, args.verbose)
suffix = 'ACOLITE'
elif args.atm_correction == 'IDEPIX':
corrector = IDEPIX(fconfig, args.verbose)
suffix = 'IDEPIX'
elif args.atm_correction == 'BALMLP':
corrector = BALTIC_MLP(fconfig, args.verbose)
elif args.atm_correction == 'BALALL':
corrector = BALTIC_ALL(fconfig, args.verbose)
elif args.atm_correction == 'BAL202411':
corrector = BALTIC_202411_PROCESSOR(fconfig, args.verbose)
corrector.set_product_type(args.type_product)
if args.verbose:
print(f'[INFO] Setting product type for BAL202411 processor to: {args.type_product}')
else:
corrector = None
applyPool = 0
geo_limits = None
data_alternative_path = None
input_path_organization = '%Y/%j'
options = configparser.ConfigParser()
options.read(fconfig)
if options.has_section('GLOBAL'):
if options.has_option('GLOBAL', 'pool'):
applyPool = int(options['GLOBAL']['pool'])
if options.has_option('GLOBAL', 'geolimits'):
geo_limits = get_geo_limits(options['GLOBAL']['geolimits'])
if options.has_option('GLOBAL', 'data_alternative_path'):
data_alternative_path = options['GLOBAL']['data_alternative_path'].strip()
if not os.path.exists(data_alternative_path):
data_alternative_path = None
if options.has_option('GLOBAL', 'input_path_organization'):
input_path_organization = options['GLOBAL']['input_path_organization']
if input_path_organization.lower() == 'none':
input_path_organization = None
# check if dates from args should be used
start_date = None
end_date = None
if args.start_date:
start_date, end_date = get_dates_from_arg()
if start_date is None or end_date is None:
exit(1)
if not corrector.check_runac() or corrector is None:
exit(1)
if args.verbose:
print(f'[INFO] Started {args.atm_correction} processor')
if input_csv is not None: ##csv option, for testing
if corrector.allow_csv_test():
if output_path == 'default':
output_path = input_csv[:-4] + '_' + args.atm_correction + '.csv'
else:
if not output_path.endswith('.csv'):
print(f'[ERROR] Output path shoud be a CSV file')
exit(-1)
else:
if not os.path.isdir(os.path.dirname(output_path)):
print(f'[ERROR] Output directory {os.path.dirname(output_path)} is not a valid directory')
exit(-1)
# print(output_path)
corrector.run_from_csv_file(input_csv, output_path)
else:
print(f'[WARNING] CSV option is not allowed for {corrector.name_ac}')
exit(0)
if input_path is None: # single product, for testing
if not os.path.exists(prod_path):
print(f'[ERROR] Product path: {prod_path} does not exist')
exit(-1)
f = os.path.basename(prod_path)
if args.atm_correction == 'BAL202411':
p = corrector.run_process(prod_path, output_path)
if args.atm_correction == 'BALMLP' and f.endswith('.nc'):
p = corrector.run_process(prod_path, output_path)
elif args.atm_correction == 'BALALL' and os.path.isdir(prod_path):
p = corrector.run_process(prod_path, output_path)
elif args.atm_correction == 'POLYMER' and corrector.product_type!='s3_olci':
p = corrector.run_process(prod_path, output_path)
elif os.path.isdir(prod_path) and f.endswith('.SEN3') and f.find('EFR') > 0:
check_geo = check_geo_limits(prod_path, geo_limits, False)
if check_geo == 1:
p = corrector.run_process(prod_path, output_path)
if not p and data_alternative_path is not None:
output_name = f[0:-5] + '_POLYMER.nc'
file_output_orig = os.path.join(output_path, output_name)
prod_path_alt, iszipped_alt = get_alternative_path(f, data_alternative_path)
print(f'[WARNING] Error in Polymer. Working with alternative path: {prod_path_alt}')
if prod_path_alt is not None:
if iszipped_alt:
prod_path_u = get_unzipped_path(prod_path_alt, output_path)
else:
prod_path_u = prod_path_alt
p = corrector.run_process(prod_path_u, file_output_orig)
delete_unzipped_path(prod_path_u)
else:
print_check_geo_errors(check_geo)
elif not os.path.isdir(prod_path) and f.endswith('.zip') and f.find('EFR') > 0:
if args.verbose:
print(f'[INFO] Working with zip path: {prod_path}')
check_geo = check_geo_limits(prod_path, geo_limits, True)
if check_geo == 1:
with zp.ZipFile(prod_path, 'r') as zprod:
if args.verbose:
print(f'[INFO] Unziping {f} to {output_path}')
zprod.extractall(path=output_path)
path_prod_u = prod_path.split('/')[-1][0:-4]
if not path_prod_u.endswith('.SEN3'):
path_prod_u = path_prod_u + '.SEN3'
path_prod_u = os.path.join(output_path, path_prod_u)
if args.verbose:
print(f'[INFO] Running atmospheric correction for {path_prod_u}')
p = corrector.run_process(path_prod_u, output_path)
delete_unzipped_path(path_prod_u)
if not p and data_alternative_path is not None:
input_name_orig = os.path.basename(path_prod_u)
output_name = input_name_orig[0:-5] + '_POLYMER.nc'
file_output_orig = os.path.join(output_path, output_name)
prod_path_alt, iszipped_alt = get_alternative_path(f, data_alternative_path)
print(f'[WARNING] Error in Polymer. Working with alternative path: {prod_path_alt}')
if prod_path_alt is not None:
if iszipped_alt:
prod_path_u = get_unzipped_path(prod_path_alt, output_path)
else:
prod_path_u = prod_path_alt
p = corrector.run_process(prod_path_u, file_output_orig)
delete_unzipped_path(prod_path_u)
else:
print_check_geo_errors(check_geo)
if args.verbose:
print('--------------------------------------------------')
else: ##WORKING WITH FOLDERS
##DATE INTERVAL
if start_date is not None and end_date is not None: # formato year/jjj
##first we obtain list of param (corrector,input_path,output_path,iszipped)
param_list = []
date_here = start_date
while date_here <= end_date:
input_path_date = get_input_path_folder(input_path, date_here, input_path_organization)
if os.path.exists(input_path_date):
output_path_jday = get_output_path_jday(output_path, date_here)
if args.verbose:
print('*************************************************')
print(f'DATE: {date_here}')
if args.atm_correction == 'BALALL':
corrector.run_process(input_path_date, output_path_jday)
date_here = date_here + timedelta(hours=24)
if args.verbose:
print('--------------------------------------------------')
continue
##l3 data, only one file for date
if args.atm_correction == 'BAL202411' and corrector.product_type == 'cci':
prod_path = get_input_path_cci_default(input_path, date_here)
if os.path.exists(prod_path):
params = [corrector, prod_path, output_path_jday, False, None, False]
param_list.append(params)
#l3 oli data, prod_path is input_path_date
if args.atm_correction == 'BAL202411' and corrector.product_type.startswith('l3_olci_'):
prod_path = input_path_date
if os.path.isdir(prod_path):
params = [corrector,prod_path,output_path_jday,False,None,False]
param_list.append(params)
##l2 data, multiple file for date
for f in os.listdir(input_path_date):
if args.atm_correction == 'BAL202411' and corrector.product_type == 'cci':
continue
if args.atm_correction == 'BAL202411' and corrector.product_type.startswith('l3_olci_'):
continue
prod_name = f
prod_path = os.path.join(input_path_date, prod_name)
print('---------------')
##BALMLP and BAL202411 are run from POLYMER images
if args.atm_correction == 'BALMLP' or (args.atm_correction == 'BAL202411' and corrector.product_type=='polymer'):
if prod_name.endswith('_POLYMER.nc'):
params = [corrector, prod_path, output_path_jday, False, None, False]
param_list.append(params)
continue
else:
continue
coutput, output_file_path = check_exist_output_file(prod_path, output_path_jday, suffix)
if coutput == -1:
##format no valid
continue
elif coutput == 1:
print(f'[INFO] Output file for path: {prod_path} already exists. Skiping...')
continue
# path validity and geo_limits for path_prod
valid, iszipped = check_path_validity(prod_path, prod_name)
if not valid:
continue
check_geo = check_geo_limits(prod_path, geo_limits, iszipped)
if check_geo == 1:
# alternative prod path, it's useful for Polymer if the trim fails
prod_path_altn = search_alternative_prod_path(f, data_alternative_path,
date_here.strftime('%Y'),
date_here.strftime('%j'))
prod_path_alt = None
iszipped_alt = False
if prod_path_altn is not None:
prod_name_altn = prod_path_altn.split('/')[-1]
valid_alt, iszipped_alt = check_path_validity(prod_path_altn, prod_name_altn)
if valid_alt:
check_geo = check_geo_limits(prod_path_altn, geo_limits, iszipped_alt)
if check_geo == 1:
prod_path_alt = prod_path_altn
##end definining alternative path
params = [corrector, prod_path, output_file_path, iszipped, prod_path_alt, iszipped_alt]
param_list.append(params)
else:
print_check_geo_errors(check_geo)
else:
if args.verbose:
print(f'[WARNING] Path: {input_path_date} does not exist. Skipping..')
date_here = date_here + timedelta(hours=24)
if args.verbose:
print('--------------------------------------------------')