This repository was archived by the owner on Nov 27, 2023. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 63
/
Copy pathfast_input_file.py
2104 lines (1880 loc) · 111 KB
/
fast_input_file.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 numpy as np
import os
import pandas as pd
import re
try:
from .file import File, WrongFormatError, BrokenFormatError
except:
File = dict
class WrongFormatError(Exception): pass
class BrokenFormatError(Exception): pass
__all__ = ['FASTInputFile']
TABTYPE_NOT_A_TAB = 0
TABTYPE_NUM_WITH_HEADER = 1
TABTYPE_NUM_WITH_HEADERCOM = 2
TABTYPE_NUM_NO_HEADER = 4
TABTYPE_NUM_BEAMDYN = 5
TABTYPE_NUM_SUBDYNOUT = 7
TABTYPE_MIX_WITH_HEADER = 6
TABTYPE_FIL = 3
TABTYPE_FMT = 9999 # TODO
class FASTInputFile(File):
"""
Read/write an OpenFAST input file. The object behaves like a dictionary.
A generic reader/writer is used at first.
If a dedicated OpenFAST input file is detected, additional functionalities are added.
See at the end of this file for dedicated class that can be used instead of this generic reader.
Main methods
------------
- read, write, toDataFrame, keys, toGraph
Return an object which inherits from FASTInputFileBase
- The generic file reader is run first
- If a specific file format/module is detected, a fixed file format object is returned
The fixed file format have additional outputs, sanity checks and methods
"""
@staticmethod
def defaultExtensions():
return ['.dat','.fst','.txt','.fstf','.dvr']
@staticmethod
def formatName():
return 'FAST input file'
def __init__(self, filename=None, **kwargs):
self._fixedfile = None
self.basefile = FASTInputFileBase(filename, **kwargs) # Generic fileformat
@property
def fixedfile(self):
if self._fixedfile is not None:
return self._fixedfile
elif len(self.basefile.data)>0:
self._fixedfile=self.fixedFormat()
return self._fixedfile
else:
return self.basefile
@property
def module(self):
if self._fixedfile is None:
return self.basefile.module
else:
return self._fixedfile.module
@property
def hasNodal(self):
if self._fixedfile is None:
return self.basefile.hasNodal
else:
return self._fixedfile.hasNodal
def getID(self, label):
return self.basefile.getID(label)
@property
def data(self):
return self.basefile.data
def fixedFormat(self):
# --- Creating a dedicated Child
KEYS = list(self.basefile.keys())
if 'NumBlNds' in KEYS:
return ADBladeFile.from_fast_input_file(self.basefile)
elif 'rhoinf' in KEYS:
return BDFile.from_fast_input_file(self.basefile)
elif 'NBlInpSt' in KEYS:
return EDBladeFile.from_fast_input_file(self.basefile)
elif 'NTwInpSt' in KEYS:
return EDTowerFile.from_fast_input_file(self.basefile)
elif 'MassMatrix' in KEYS and self.module == 'ExtPtfm':
return ExtPtfmFile.from_fast_input_file(self.basefile)
elif 'NumCoords' in KEYS and 'InterpOrd' in KEYS:
return ADPolarFile.from_fast_input_file(self.basefile)
else:
# TODO: HD, SD, SvD, ED, AD, EDbld, BD,
#print('>>>>>>>>>>>> NO FILEFORMAT', KEYS)
return self.basefile
def read(self, filename=None):
return self.fixedfile.read(filename)
def write(self, filename=None):
return self.fixedfile.write(filename)
def toDataFrame(self):
return self.fixedfile.toDataFrame()
def toString(self):
return self.fixedfile.toString()
def keys(self):
return self.fixedfile.keys()
def toGraph(self, **kwargs):
return self.fixedfile.toGraph(**kwargs)
@property
def filename(self):
return self.fixedfile.filename
@property
def comment(self):
return self.fixedfile.comment
@comment.setter
def comment(self,comment):
self.fixedfile.comment = comment
def __iter__(self):
return self.fixedfile.__iter__()
def __next__(self):
return self.fixedfile.__next__()
def __setitem__(self,key,item):
return self.fixedfile.__setitem__(key,item)
def __getitem__(self,key):
return self.fixedfile.__getitem__(key)
def __repr__(self):
return self.fixedfile.__repr__()
#s ='Fast input file: {}\n'.format(self.filename)
#return s+'\n'.join(['{:15s}: {}'.format(d['label'],d['value']) for i,d in enumerate(self.data)])
# --------------------------------------------------------------------------------}
# --- BASE INPUT FILE
# --------------------------------------------------------------------------------{
class FASTInputFileBase(File):
"""
Read/write an OpenFAST input file. The object behaves like a dictionary.
Main methods
------------
- read, write, toDataFrame, keys
Main keys
---------
The keys correspond to the keys used in the file. For instance for a .fst file: 'DT','TMax'
Examples
--------
filename = 'AeroDyn.dat'
f = FASTInputFile(filename)
f['TwrAero'] = True
f['AirDens'] = 1.225
f.write('AeroDyn_Changed.dat')
"""
@staticmethod
def defaultExtensions():
return ['.dat','.fst','.txt','.fstf','.dvr']
@staticmethod
def formatName():
return 'FAST input file Base'
def __init__(self, filename=None, **kwargs):
self._size=None
self.setData() # Init data
if filename:
self.filename = filename
self.read()
def setData(self, filename=None, data=None, hasNodal=False, module=None):
""" Set the data of this object. This object shouldn't store anything else. """
if data is None:
self.data = []
else:
self.data = data
self.hasNodal = hasNodal
self.module = module
self.filename = filename
def keys(self):
self.labels = [ d['label'] for i,d in enumerate(self.data) if (not d['isComment']) and (i not in self._IComment)]
return self.labels
def getID(self,label):
i=self.getIDSafe(label)
if i<0:
raise KeyError('Variable `'+ label+'` not found in FAST file:'+self.filename)
else:
return i
def getIDs(self,label):
I=[]
# brute force search
for i in range(len(self.data)):
d = self.data[i]
if d['label'].lower()==label.lower():
I.append(i)
if len(I)<0:
raise KeyError('Variable `'+ label+'` not found in FAST file:'+self.filename)
else:
return I
def getIDSafe(self,label):
# brute force search
for i in range(len(self.data)):
d = self.data[i]
if d['label'].lower()==label.lower():
return i
return -1
# Making object an iterator
def __iter__(self):
self.iCurrent=-1
self.iMax=len(self.data)-1
return self
def __next__(self): # Python 2: def next(self)
if self.iCurrent > self.iMax:
raise StopIteration
else:
self.iCurrent += 1
return self.data[self.iCurrent]
# Making it behave like a dictionary
def __setitem__(self, key, item):
I = self.getIDs(key)
for i in I:
if self.data[i]['tabType'] != TABTYPE_NOT_A_TAB:
# For tables, we automatically update variable that stores the dimension
nRows = len(item)
if 'tabDimVar' in self.data[i].keys():
dimVar = self.data[i]['tabDimVar']
iDimVar = self.getID(dimVar)
self.data[iDimVar]['value'] = nRows # Avoiding a recursive call to __setitem__ here
else:
pass
self.data[i]['value'] = item
def __getitem__(self,key):
i = self.getID(key)
return self.data[i]['value']
def __repr__(self):
s ='Fast input file base: {}\n'.format(self.filename)
return s+'\n'.join(['{:15s}: {}'.format(d['label'],d['value']) for i,d in enumerate(self.data)])
def addKeyVal(self, key, val, descr=None):
i=self.getIDSafe(key)
if i<0:
d = getDict()
else:
d = self.data[i]
d['label']=key
d['value']=val
if descr is not None:
d['descr']=descr
if i<0:
self.data.append(d)
def addValKey(self,val,key,descr=None):
self.addKeyVal(key, val, descr)
def addComment(self, comment='!'):
d=getDict()
d['isComment'] = True
d['value'] = comment
self.data.append(d)
def addTable(self, label, tab, cols=None, units=None, tabType=1, tabDimVar=None):
d=getDict()
d['label'] = label
d['value'] = tab
d['tabType'] = tabType
d['tabDimVar'] = tabDimVar
d['tabColumnNames'] = cols
d['tabUnits'] = units
self.data.append(d)
@property
def comment(self):
return '\n'.join([self.data[i]['value'] for i in self._IComment])
@comment.setter
def comment(self, comment):
splits = comment.split('\n')
for i,com in zip(self._IComment, splits):
self.data[i]['value'] = com
self.data[i]['label'] = ''
self.data[i]['descr'] = ''
self.data[i]['isComment'] = True
@property
def _IComment(self):
""" return indices of comment line"""
return [1] # Typical OpenFAST files have comment on second line [1]
def read(self, filename=None):
if filename:
self.filename = filename
if self.filename:
if not os.path.isfile(self.filename):
raise OSError(2,'File not found:',self.filename)
if os.stat(self.filename).st_size == 0:
raise EmptyFileError('File is empty:',self.filename)
self._read()
else:
raise Exception('No filename provided')
def _read(self):
# --- Tables that can be detected based on the "Value" (first entry on line)
# TODO members for BeamDyn with mutliple key point ####### TODO PropSetID is Duplicate SubDyn and used in HydroDyn
NUMTAB_FROM_VAL_DETECT = ['HtFract' , 'TwrElev' , 'BlFract' , 'Genspd_TLU' , 'BlSpn' , 'HvCoefID' , 'AxCoefID' , 'JointID' , 'Dpth' , 'FillNumM' , 'MGDpth' , 'SimplCd' , 'RNodes' , 'kp_xr' , 'mu1' , 'TwrHtFr' , 'TwrRe' , 'WT_X']
NUMTAB_FROM_VAL_DIM_VAR = ['NTwInpSt' , 'NumTwrNds' , 'NBlInpSt' , 'DLL_NumTrq' , 'NumBlNds' , 'NHvCoef' , 'NAxCoef' , 'NJoints' , 'NCoefDpth' , 'NFillGroups' , 'NMGDepths' , 1 , 'BldNodes' , 'kp_total' , 1 , 'NTwrHt' , 'NTwrRe' , 'NumTurbines']
NUMTAB_FROM_VAL_VARNAME = ['TowProp' , 'TowProp' , 'BldProp' , 'DLLProp' , 'BldAeroNodes' , 'HvCoefs' , 'AxCoefs' , 'Joints' , 'DpthProp' , 'FillGroups' , 'MGProp' , 'SmplProp' , 'BldAeroNodes' , 'MemberGeom' , 'DampingCoeffs' , 'TowerProp' , 'TowerRe', 'WindTurbines']
NUMTAB_FROM_VAL_NHEADER = [2 , 2 , 2 , 2 , 2 , 2 , 2 , 2 , 2 , 2 , 2 , 2 , 1 , 2 , 2 , 1 , 1 , 2 ]
NUMTAB_FROM_VAL_TYPE = ['num' , 'num' , 'num' , 'num' , 'num' , 'num' , 'num' , 'num' , 'num' , 'num' , 'num' , 'num' , 'mix' , 'num' , 'num' , 'num' , 'num' , 'mix']
# SubDyn
NUMTAB_FROM_VAL_DETECT += [ 'RJointID' , 'IJointID' , 'COSMID' , 'CMJointID' ]
NUMTAB_FROM_VAL_DIM_VAR += [ 'NReact' , 'NInterf' , 'NCOSMs' , 'NCmass' ]
NUMTAB_FROM_VAL_VARNAME += [ 'BaseJoints' , 'InterfaceJoints' , 'MemberCosineMatrix' , 'ConcentratedMasses']
NUMTAB_FROM_VAL_NHEADER += [ 2 , 2 , 2 , 2 ]
NUMTAB_FROM_VAL_TYPE += [ 'mix' , 'num' , 'num' , 'num' ]
# AD Driver old and new
NUMTAB_FROM_VAL_DETECT += [ 'WndSpeed' , 'HWndSpeed' ]
NUMTAB_FROM_VAL_DIM_VAR += [ 'NumCases' , 'NumCases' ]
NUMTAB_FROM_VAL_VARNAME += [ 'Cases' , 'Cases' ]
NUMTAB_FROM_VAL_NHEADER += [ 2 , 2 ]
NUMTAB_FROM_VAL_TYPE += [ 'num' , 'num' ]
# --- Tables that can be detected based on the "Label" (second entry on line)
# NOTE: MJointID1, used by SubDyn and HydroDyn
NUMTAB_FROM_LAB_DETECT = ['NumAlf' , 'F_X' , 'MemberCd1' , 'MJointID1' , 'NOutLoc' , 'NOutCnt' , 'PropD' ]
NUMTAB_FROM_LAB_DIM_VAR = ['NumAlf' , 'NKInpSt' , 'NCoefMembers' , 'NMembers' , 'NMOutputs' , 'NMOutputs' , 'NPropSets' ]
NUMTAB_FROM_LAB_VARNAME = ['AFCoeff' , 'TMDspProp' , 'MemberProp' , 'Members' , 'MemberOuts' , 'MemberOuts' , 'SectionProp' ]
NUMTAB_FROM_LAB_NHEADER = [2 , 2 , 2 , 2 , 2 , 2 , 2 ]
NUMTAB_FROM_LAB_NOFFSET = [0 , 0 , 0 , 0 , 0 , 0 , 0 ]
NUMTAB_FROM_LAB_TYPE = ['num' , 'num' , 'num' , 'mix' , 'num' , 'sdout' , 'num' ]
# MoorDyn Version 1 and 2 (with AUTO for LAB_DIM_VAR)
NUMTAB_FROM_LAB_DETECT += ['Diam' ,'Type' ,'LineType' , 'Attachment']
NUMTAB_FROM_LAB_DIM_VAR += ['NTypes:AUTO','NConnects' ,'NLines:AUTO' , 'AUTO']
NUMTAB_FROM_LAB_VARNAME += ['LineTypes' ,'ConnectionProp' ,'LineProp' , 'Points']
NUMTAB_FROM_LAB_NHEADER += [ 2 , 2 , 2 , 2 ]
NUMTAB_FROM_LAB_NOFFSET += [ 0 , 0 , 0 , 0 ]
NUMTAB_FROM_LAB_TYPE += ['mix' ,'mix' ,'mix' , 'mix']
# SubDyn
NUMTAB_FROM_LAB_DETECT += ['GuyanDampSize' , 'YoungE' , 'YoungE' , 'EA' , 'MatDens' ]
NUMTAB_FROM_LAB_DIM_VAR += [6 , 'NPropSets', 'NXPropSets', 'NCablePropSets' , 'NRigidPropSets']
NUMTAB_FROM_LAB_VARNAME += ['GuyanDampMatrix' , 'BeamProp' , 'BeamPropX' , 'CableProp' , 'RigidProp' ]
NUMTAB_FROM_LAB_NHEADER += [0 , 2 , 2 , 2 , 2 ]
NUMTAB_FROM_LAB_NOFFSET += [1 , 0 , 0 , 0 , 0 ]
NUMTAB_FROM_LAB_TYPE += ['num' , 'num' , 'num' , 'num' , 'num' ]
# OLAF
NUMTAB_FROM_LAB_DETECT += ['GridName' ]
NUMTAB_FROM_LAB_DIM_VAR += ['nGridOut' ]
NUMTAB_FROM_LAB_VARNAME += ['GridOutputs']
NUMTAB_FROM_LAB_NHEADER += [0 ]
NUMTAB_FROM_LAB_NOFFSET += [2 ]
NUMTAB_FROM_LAB_TYPE += ['mix' ]
FILTAB_FROM_LAB_DETECT = ['FoilNm' ,'AFNames']
FILTAB_FROM_LAB_DIM_VAR = ['NumFoil','NumAFfiles']
FILTAB_FROM_LAB_VARNAME = ['FoilNm' ,'AFNames']
# Using lower case to be more tolerant..
NUMTAB_FROM_VAL_DETECT_L = [s.lower() for s in NUMTAB_FROM_VAL_DETECT]
NUMTAB_FROM_LAB_DETECT_L = [s.lower() for s in NUMTAB_FROM_LAB_DETECT]
FILTAB_FROM_LAB_DETECT_L = [s.lower() for s in FILTAB_FROM_LAB_DETECT]
# Reset data
self.data = []
self.hasNodal=False
self.module = None
#with open(self.filename, 'r', errors="surrogateescape") as f:
with open(self.filename, 'r', errors="surrogateescape") as f:
lines=f.read().splitlines()
# IF NEEDED> DO THE FOLLOWING FORMATTING:
#lines = [str(l).encode('utf-8').decode('ascii','ignore') for l in f.read().splitlines()]
# Fast files start with ! or -
#if lines[0][0]!='!' and lines[0][0]!='-':
# raise Exception('Fast file do not start with ! or -, is it the right format?')
# Special filetypes
if detectAndReadExtPtfmSE(self, lines):
return
if self.detectAndReadAirfoilAD14(lines):
return
# Parsing line by line, storing each line into a dictionary
i=0
nComments = 0
nWrongLabels = 0
allowSpaceSeparatedList=False
iTab = 0
labOffset=''
while i<len(lines):
line = lines[i]
# --- Read special sections
if line.upper().find('ADDITIONAL OUTPUTS')>0 \
or line.upper().find('MESH-BASED OUTPUTS')>0 \
or line.upper().find('OUTPUT CHANNELS' )>0: # "OutList - The next line(s) contains a list of output parameters. See OutListParameters.xlsx for a listing of available output channels, (-)'"
# TODO, lazy implementation so far, MAKE SUB FUNCTION
parts = re.match(r'^\W*\w+', line)
if parts:
firstword = parts.group(0).strip()
else:
raise NotImplementedError
remainer = re.sub(r'^\W*\w+\W*', '', line)
# Parsing outlist, and then we continue at a new "i" (to read END etc.)
OutList,i = parseFASTOutList(lines,i+1)
d = getDict()
if self.hasNodal and not firstword.endswith('_Nodal'):
d['label'] = firstword+'_Nodal'
else:
d['label'] = firstword
d['descr'] = remainer
d['tabType'] = TABTYPE_FIL # TODO
d['value'] = ['']+OutList
self.data.append(d)
if i>=len(lines):
break
# --- Here we cheat and force an exit of the input file
# The reason for this is that some files have a lot of things after the END, which will result in the file being intepreted as a wrong format due to too many comments
if i+2<len(lines) and (lines[i+2].lower().find('bldnd_bladesout')>0 or lines[i+2].lower().find('bldnd_bloutnd')>0):
self.hasNodal=True
else:
self.data.append(parseFASTInputLine('END of input file (the word "END" must appear in the first 3 columns of this last OutList line)',i+1))
self.data.append(parseFASTInputLine('---------------------------------------------------------------------------------------',i+2))
break
elif line.upper().find('SSOUTLIST' )>0 or line.upper().find('SDOUTLIST' )>0:
# SUBDYN Outlist doesn not follow regular format
self.data.append(parseFASTInputLine(line,i))
# OUTLIST Exception for BeamDyn
OutList,i = parseFASTOutList(lines,i+1)
# TODO
for o in OutList:
d = getDict()
d['isComment'] = True
d['value']=o
self.data.append(d)
# --- Here we cheat and force an exit of the input file
self.data.append(parseFASTInputLine('END of input file (the word "END" must appear in the first 3 columns of this last OutList line)',i+1))
self.data.append(parseFASTInputLine('---------------------------------------------------------------------------------------',i+2))
break
elif line.upper().find('ADDITIONAL STIFFNESS')>0:
# TODO, lazy implementation so far, MAKE SUB FUNCTION
self.data.append(parseFASTInputLine(line,i))
i +=1
KDAdd = []
for _ in range(19):
KDAdd.append(lines[i])
i +=1
d = getDict()
d['label'] = 'KDAdd' # TODO
d['tabType'] = TABTYPE_FIL # TODO
d['value'] = KDAdd
self.data.append(d)
if i>=len(lines):
break
elif line.upper().find('DISTRIBUTED PROPERTIES')>0:
self.data.append(parseFASTInputLine(line,i));
i+=1;
self.readBeamDynProps(lines,i)
return
elif line.upper().find('OUTPUTS')>0:
if 'Points' in self.keys() and 'dtM' in self.keys():
OutList,i = parseFASTOutList(lines,i+1)
d = getDict()
d['label'] = 'Outlist'
d['descr'] = ''
d['tabType'] = TABTYPE_FIL # TODO
d['value'] = OutList
self.addComment('------------------------ OUTPUTS --------------------------------------------')
self.data.append(d)
self.addComment('END')
self.addComment('------------------------- need this line --------------------------------------')
return
# --- Parsing of standard lines: value(s) key comment
line = lines[i]
d = parseFASTInputLine(line,i,allowSpaceSeparatedList)
labelRaw =d['label'].lower()
d['label']+=labOffset
# --- Handling of special files
if labelRaw=='kp_total':
# BeamDyn has weird space speparated list around keypoint definition
allowSpaceSeparatedList=True
elif labelRaw=='numcoords':
# TODO, lazy implementation so far, MAKE SUB FUNCTION
if isStr(d['value']):
if d['value'][0]=='@':
# it's a ref to the airfoil coord file
pass
else:
if not strIsInt(d['value']):
raise WrongFormatError('Wrong value of NumCoords')
if int(d['value'])<=0:
pass
else:
self.data.append(d); i+=1;
# 3 comment lines
self.data.append(parseFASTInputLine(lines[i],i)); i+=1;
self.data.append(parseFASTInputLine(lines[i],i)); i+=1;
self.data.append(parseFASTInputLine(lines[i],i)); i+=1;
splits=cleanAfterChar(cleanLine(lines[i]),'!').split()
# Airfoil ref point
try:
pos=[float(splits[0]), float(splits[1])]
except:
raise WrongFormatError('Wrong format while reading coordinates of airfoil reference')
i+=1
d = getDict()
d['label'] = 'AirfoilRefPoint'
d['value'] = pos
self.data.append(d)
# 2 comment lines
self.data.append(parseFASTInputLine(lines[i],i)); i+=1;
self.data.append(parseFASTInputLine(lines[i],i)); i+=1;
# Table of coordinats itself
d = getDict()
d['label'] = 'AirfoilCoord'
d['tabDimVar'] = 'NumCoords'
d['tabType'] = TABTYPE_NUM_WITH_HEADERCOM
nTabLines = self[d['tabDimVar']]-1 # SOMEHOW ONE DATA POINT LESS
d['value'], d['tabColumnNames'],_ = parseFASTNumTable(self.filename,lines[i:i+nTabLines+1],nTabLines,i,1)
d['tabUnits'] = ['(-)','(-)']
self.data.append(d)
break
elif labelRaw=='re':
try:
nAirfoilTab = self['NumTabs']
iTab +=1
if nAirfoilTab>1:
labOffset ='_'+str(iTab)
d['label']=labelRaw+labOffset
except:
# Unsteady driver input file...
pass
#print('label>',d['label'],'<',type(d['label']));
#print('value>',d['value'],'<',type(d['value']));
#print(isStr(d['value']))
#if isStr(d['value']):
# print(d['value'].lower() in NUMTAB_FROM_VAL_DETECT_L)
# --- Handling of tables
if isStr(d['value']) and d['value'].lower() in NUMTAB_FROM_VAL_DETECT_L:
# Table with numerical values,
ii = NUMTAB_FROM_VAL_DETECT_L.index(d['value'].lower())
tab_type = NUMTAB_FROM_VAL_TYPE[ii]
if tab_type=='num':
d['tabType'] = TABTYPE_NUM_WITH_HEADER
else:
d['tabType'] = TABTYPE_MIX_WITH_HEADER
d['label'] = NUMTAB_FROM_VAL_VARNAME[ii]+labOffset
d['tabDimVar'] = NUMTAB_FROM_VAL_DIM_VAR[ii]
nHeaders = NUMTAB_FROM_VAL_NHEADER[ii]
nTabLines=0
if isinstance(d['tabDimVar'],int):
nTabLines = d['tabDimVar']
else:
nTabLines = self[d['tabDimVar']]
#print('Reading table {} Dimension {} (based on {})'.format(d['label'],nTabLines,d['tabDimVar']));
d['value'], d['tabColumnNames'], d['tabUnits'] = parseFASTNumTable(self.filename,lines[i:i+nTabLines+nHeaders], nTabLines, i, nHeaders, tableType=tab_type, varNumLines=d['tabDimVar'])
i += nTabLines+nHeaders-1
# --- Temporary hack for e.g. SubDyn, that has duplicate table, impossible to detect in the current way...
# So we remove the element form the list one read
del NUMTAB_FROM_VAL_DETECT[ii]
del NUMTAB_FROM_VAL_DIM_VAR[ii]
del NUMTAB_FROM_VAL_VARNAME[ii]
del NUMTAB_FROM_VAL_NHEADER[ii]
del NUMTAB_FROM_VAL_TYPE [ii]
del NUMTAB_FROM_VAL_DETECT_L[ii]
elif isStr(labelRaw) and labelRaw in NUMTAB_FROM_LAB_DETECT_L:
ii = NUMTAB_FROM_LAB_DETECT_L.index(labelRaw)
tab_type = NUMTAB_FROM_LAB_TYPE[ii]
# Special case for airfoil data, the table follows NumAlf, so we add d first
doDelete =True
if labelRaw=='numalf':
doDelete =False
d['tabType']=TABTYPE_NOT_A_TAB
self.data.append(d)
# Creating a new dictionary for the table
d = {'value':None, 'label':'NumAlf'+labOffset, 'isComment':False, 'descr':'', 'tabType':None}
i += 1
nHeaders = NUMTAB_FROM_LAB_NHEADER[ii]
nOffset = NUMTAB_FROM_LAB_NOFFSET[ii]
if nOffset>0:
# Creating a dictionary for that entry
dd = {'value':d['value'], 'label':d['label']+labOffset, 'isComment':False, 'descr':d['descr'], 'tabType':TABTYPE_NOT_A_TAB}
self.data.append(dd)
d['label'] = NUMTAB_FROM_LAB_VARNAME[ii]
if d['label'].lower()=='afcoeff' :
d['tabType'] = TABTYPE_NUM_WITH_HEADERCOM
else:
if tab_type=='num':
d['tabType'] = TABTYPE_NUM_WITH_HEADER
elif tab_type=='sdout':
d['tabType'] = TABTYPE_NUM_SUBDYNOUT
else:
d['tabType'] = TABTYPE_MIX_WITH_HEADER
# Finding table dimension (number of lines)
tabDimVar = NUMTAB_FROM_LAB_DIM_VAR[ii]
if isinstance(tabDimVar, int): # dimension hardcoded
d['tabDimVar'] = tabDimVar
nTabLines = d['tabDimVar']
else:
# We either use a variable name or "AUTO" to find the number of rows
tabDimVars = tabDimVar.split(':')
for tabDimVar in tabDimVars:
d['tabDimVar'] = tabDimVar
if tabDimVar=='AUTO':
# Determine table dimension automatically
nTabLines = findNumberOfTableLines(lines[i+nHeaders:], break_chars=['---','!','#'])
break
else:
try:
nTabLines = self[tabDimVar+labOffset]
break
except KeyError:
#print('Cannot determine table dimension using {}'.format(tabDimVar))
# Hopefully this table has AUTO as well
pass
d['label'] += labOffset
#print('Reading table {} Dimension {} (based on {})'.format(d['label'],nTabLines,d['tabDimVar']));
d['value'], d['tabColumnNames'], d['tabUnits'] = parseFASTNumTable(self.filename,lines[i:i+nTabLines+nHeaders+nOffset],nTabLines,i, nHeaders, tableType=tab_type, nOffset=nOffset, varNumLines=d['tabDimVar'])
i += nTabLines+1-nOffset
# --- Temporary hack for e.g. SubDyn, that has duplicate table, impossible to detect in the current way...
# So we remove the element form the list one read
if doDelete:
del NUMTAB_FROM_LAB_DETECT[ii]
del NUMTAB_FROM_LAB_DIM_VAR[ii]
del NUMTAB_FROM_LAB_VARNAME[ii]
del NUMTAB_FROM_LAB_NHEADER[ii]
del NUMTAB_FROM_LAB_NOFFSET[ii]
del NUMTAB_FROM_LAB_TYPE [ii]
del NUMTAB_FROM_LAB_DETECT_L[ii]
elif isStr(d['label']) and d['label'].lower() in FILTAB_FROM_LAB_DETECT_L:
ii = FILTAB_FROM_LAB_DETECT_L.index(d['label'].lower())
d['label'] = FILTAB_FROM_LAB_VARNAME[ii]+labOffset
d['tabDimVar'] = FILTAB_FROM_LAB_DIM_VAR[ii]
d['tabType'] = TABTYPE_FIL
nTabLines = self[d['tabDimVar']]
#print('Reading table {} Dimension {} (based on {})'.format(d['label'],nTabLines,d['tabDimVar']));
d['value'] = parseFASTFilTable(lines[i:i+nTabLines],nTabLines,i)
i += nTabLines-1
self.data.append(d)
i += 1
# --- Safety checks
if d['isComment']:
#print(line)
nComments +=1
else:
if hasSpecialChars(d['label']):
nWrongLabels +=1
#print('label>',d['label'],'<',type(d['label']),line);
if i>3: # first few lines may be comments, we allow it
#print('Line',i,'Label:',d['label'])
raise WrongFormatError('Special Character found in Label: `{}`, for line: `{}`'.format(d['label'],line))
if len(d['label'])==0:
nWrongLabels +=1
if nComments>len(lines)*0.35:
#print('Comment fail',nComments,len(lines),self.filename)
raise WrongFormatError('Most lines were read as comments, probably not a FAST Input File: {}'.format(self.filename))
if nWrongLabels>len(lines)*0.10:
#print('Label fail',nWrongLabels,len(lines),self.filename)
raise WrongFormatError('Too many lines with wrong labels, probably not a FAST Input File {}:'.format(self.filename))
# --- END OF FOR LOOP ON LINES
# --- PostReading checks
labels = self.keys()
duplicates = set([x for x in labels if (labels.count(x) > 1) and x!='OutList' and x.strip()!='-'])
if len(duplicates)>0:
print('[WARN] Duplicate labels found in file: '+self.filename)
print(' Duplicates: '+', '.join(duplicates))
print(' It\'s strongly recommended to make them unique! ')
# except WrongFormatError as e:
# raise WrongFormatError('Fast File {}: '.format(self.filename)+'\n'+e.args[0])
# except Exception as e:
# raise e
# # print(e)
# raise Exception('Fast File {}: '.format(self.filename)+'\n'+e.args[0])
self._lines = lines
def toString(self):
s=''
# Special file formats, TODO subclass
def toStringVLD(val,lab,descr):
val='{}'.format(val)
lab='{}'.format(lab)
if len(val)<13:
val='{:13s}'.format(val)
if len(lab)<13:
lab='{:13s}'.format(lab)
return val+' '+lab+' - '+descr.strip().lstrip('-').lstrip()
def toStringIntFloatStr(x):
try:
if int(x)==x:
s='{:15.0f}'.format(x)
else:
s='{:15.8e}'.format(x)
except:
s=x
return s
def beamdyn_section_mat_tostring(x,K,M):
def mat_tostring(M,fmt='24.16e'):
return '\n'.join([' '+' '.join(['{:24.16E}'.format(m) for m in M[i,:]]) for i in range(np.size(M,1))])
s=''
s+='{:.6f}\n'.format(x)
s+=mat_tostring(K)
#s+=np.array2string(K)
s+='\n'
s+='\n'
s+=mat_tostring(M)
#s+=np.array2string(M)
s+='\n'
s+='\n'
return s
for i in range(len(self.data)):
d=self.data[i]
if d['isComment']:
s+='{}'.format(d['value'])
elif d['tabType']==TABTYPE_NOT_A_TAB:
if isinstance(d['value'], list):
sList=', '.join([str(x) for x in d['value']])
s+=toStringVLD(sList, d['label'], d['descr'])
else:
s+=toStringVLD(d['value'],d['label'],d['descr'])
elif d['tabType']==TABTYPE_NUM_WITH_HEADER:
if d['tabColumnNames'] is not None:
s+='{}'.format(' '.join(['{:15s}'.format(s) for s in d['tabColumnNames']]))
#s+=d['descr'] # Not ready for that
if d['tabUnits'] is not None:
s+='\n'
s+='{}'.format(' '.join(['{:15s}'.format(s) for s in d['tabUnits']]))
newline='\n'
else:
newline=''
if np.size(d['value'],0) > 0 :
s+=newline
s+='\n'.join('\t'.join( ('{:15.0f}'.format(x) if int(x)==x else '{:15.8e}'.format(x) ) for x in y) for y in d['value'])
elif d['tabType']==TABTYPE_MIX_WITH_HEADER:
s+='{}'.format(' '.join(['{:15s}'.format(s) for s in d['tabColumnNames']]))
if d['tabUnits'] is not None:
s+='\n'
s+='{}'.format(' '.join(['{:15s}'.format(s) for s in d['tabUnits']]))
if np.size(d['value'],0) > 0 :
s+='\n'
s+='\n'.join('\t'.join(toStringIntFloatStr(x) for x in y) for y in d['value'])
elif d['tabType']==TABTYPE_NUM_WITH_HEADERCOM:
s+='! {}\n'.format(' '.join(['{:15s}'.format(s) for s in d['tabColumnNames']]))
s+='! {}\n'.format(' '.join(['{:15s}'.format(s) for s in d['tabUnits']]))
s+='\n'.join('\t'.join('{:15.8e}'.format(x) for x in y) for y in d['value'])
elif d['tabType']==TABTYPE_FIL:
#f.write('{} {} {}\n'.format(d['value'][0],d['tabDetect'],d['descr']))
label = d['label']
if 'kbot' in self.keys(): # Moordyn has no 'OutList' label..
label=''
if len(d['value'])==1:
s+='{} {} {}'.format(d['value'][0], label, d['descr']) # TODO?
else:
s+='{} {} {}\n'.format(d['value'][0], label, d['descr']) # TODO?
s+='\n'.join(fil for fil in d['value'][1:])
elif d['tabType']==TABTYPE_NUM_BEAMDYN:
# TODO use dedicated sub-class
data = d['value']
Cols =['Span']
Cols+=['K{}{}'.format(i+1,j+1) for i in range(6) for j in range(6)]
Cols+=['M{}{}'.format(i+1,j+1) for i in range(6) for j in range(6)]
for i in np.arange(len(data['span'])):
x = data['span'][i]
K = data['K'][i]
M = data['M'][i]
s += beamdyn_section_mat_tostring(x,K,M)
elif d['tabType']==TABTYPE_NUM_SUBDYNOUT:
data = d['value']
s+='{}\n'.format(' '.join(['{:15s}'.format(s) for s in d['tabColumnNames']]))
s+='{}'.format(' '.join(['{:15s}'.format(s) for s in d['tabUnits']]))
if np.size(d['value'],0) > 0 :
s+='\n'
s+='\n'.join('\t'.join('{:15.0f}'.format(x) for x in y) for y in data)
else:
raise Exception('Unknown table type for variable {}'.format(d))
if i<len(self.data)-1:
s+='\n'
return s
def write(self, filename=None):
if filename:
self.filename = filename
if self.filename:
dirname = os.path.dirname(self.filename)
if not os.path.exists(dirname) and len(dirname)>0:
print('[WARN] Creating directory: ',dirname)
os.makedirs(dirname)
self._write()
else:
raise Exception('No filename provided')
def _writeSanityChecks(self):
""" Sanity checks before write"""
pass
def _write(self):
self._writeSanityChecks()
with open(self.filename,'w') as f:
f.write(self.toString())
def toDataFrame(self):
return self._toDataFrame()
def _toDataFrame(self):
dfs={}
for i in range(len(self.data)):
d=self.data[i]
if d['tabType'] in [TABTYPE_NUM_WITH_HEADER, TABTYPE_NUM_WITH_HEADERCOM, TABTYPE_NUM_NO_HEADER, TABTYPE_MIX_WITH_HEADER]:
Val= d['value']
if d['tabUnits'] is None:
Cols=d['tabColumnNames']
else:
Cols=['{}_{}'.format(c,u.replace('(','[').replace(')',']')) for c,u in zip(d['tabColumnNames'],d['tabUnits'])]
#print(Val)
#print(Cols)
# --- Adding some useful tabulated data for some files (Shapefunctions, polar)
if self.getIDSafe('TwFAM1Sh(2)')>0:
# Hack for tower files, we add the modes
# NOTE: we provide interpolated shape function just in case the resolution of the input file is low..
x=Val[:,0]
Modes=np.zeros((x.shape[0],4))
Modes[:,0] = x**2 * self['TwFAM1Sh(2)'] + x**3 * self['TwFAM1Sh(3)'] + x**4 * self['TwFAM1Sh(4)'] + x**5 * self['TwFAM1Sh(5)'] + x**6 * self['TwFAM1Sh(6)']
Modes[:,1] = x**2 * self['TwFAM2Sh(2)'] + x**3 * self['TwFAM2Sh(3)'] + x**4 * self['TwFAM2Sh(4)'] + x**5 * self['TwFAM2Sh(5)'] + x**6 * self['TwFAM2Sh(6)']
Modes[:,2] = x**2 * self['TwSSM1Sh(2)'] + x**3 * self['TwSSM1Sh(3)'] + x**4 * self['TwSSM1Sh(4)'] + x**5 * self['TwSSM1Sh(5)'] + x**6 * self['TwSSM1Sh(6)']
Modes[:,3] = x**2 * self['TwSSM2Sh(2)'] + x**3 * self['TwSSM2Sh(3)'] + x**4 * self['TwSSM2Sh(4)'] + x**5 * self['TwSSM2Sh(5)'] + x**6 * self['TwSSM2Sh(6)']
Val = np.hstack((Val,Modes))
ShapeCols = [c+'_[-]' for c in ['ShapeForeAft1','ShapeForeAft2','ShapeSideSide1','ShapeSideSide2']]
Cols = Cols + ShapeCols
name=d['label']
if name=='DampingCoeffs':
pass
else:
dfs[name]=pd.DataFrame(data=Val,columns=Cols)
elif d['tabType'] in [TABTYPE_NUM_BEAMDYN]:
span = d['value']['span']
M = d['value']['M']
K = d['value']['K']
nSpan=len(span)
MM=np.zeros((nSpan,1+36+36))
MM[:,0] = span
MM[:,1:37] = K.reshape(nSpan,36)
MM[:,37:] = M.reshape(nSpan,36)
Cols =['Span']
Cols+=['K{}{}'.format(i+1,j+1) for i in range(6) for j in range(6)]
Cols+=['M{}{}'.format(i+1,j+1) for i in range(6) for j in range(6)]
# Putting the main terms first
IAll = range(1+36+36)
IMain= [0] + [i*6+i+1 for i in range(6)] + [i*6+i+37 for i in range(6)]
IOrg = IMain + [i for i in range(1+36+36) if i not in IMain]
Cols = [Cols[i] for i in IOrg]
data = MM[:,IOrg]
name=d['label']
dfs[name]=pd.DataFrame(data=data,columns=Cols)
if len(dfs)==1:
dfs=dfs[list(dfs.keys())[0]]
return dfs
def toGraph(self, **kwargs):
from .fast_input_file_graph import fastToGraph
return fastToGraph(self, **kwargs)
# --------------------------------------------------------------------------------}
# --- SubReaders /detectors
# --------------------------------------------------------------------------------{
def detectAndReadAirfoilAD14(self,lines):
if len(lines)<14:
return False
# Reading number of tables
L3 = lines[2].strip().split()
if len(L3)<=0:
return False
if not strIsInt(L3[0]):
return False
nTables=int(L3[0])
# Reading table ID
L4 = lines[3].strip().split()
if len(L4)<=nTables:
return False
TableID=L4[:nTables]
if nTables==1:
TableID=['']
# Keywords for file format
KW1=lines[12].strip().split()
KW2=lines[13].strip().split()
if len(KW1)>nTables and len(KW2)>nTables:
if KW1[nTables].lower()=='angle' and KW2[nTables].lower()=='minimum':
d = getDict(); d['isComment'] = True; d['value'] = lines[0]; self.data.append(d);
d = getDict(); d['isComment'] = True; d['value'] = lines[1]; self.data.append(d);
for i in range(2,14):
splits = lines[i].split()
#print(splits)
d = getDict()
d['label'] = ' '.join(splits[1:]) # TODO
d['descr'] = ' '.join(splits[1:]) # TODO
d['value'] = float(splits[0])
self.data.append(d)
#pass
#for i in range(2,14):
nTabLines=0
while 14+nTabLines<len(lines) and len(lines[14+nTabLines].strip())>0 :
nTabLines +=1
#data = np.array([lines[i].strip().split() for i in range(14,len(lines)) if len(lines[i])>0]).astype(float)
#data = np.array([lines[i].strip().split() for i in takewhile(lambda x: len(lines[i].strip())>0, range(14,len(lines)-1))]).astype(float)
data = np.array([lines[i].strip().split() for i in range(14,nTabLines+14)]).astype(float)
#print(data)
d = getDict()
d['label'] = 'Polar'
d['tabDimVar'] = nTabLines
d['tabType'] = TABTYPE_NUM_NO_HEADER
d['value'] = data
if np.size(data,1)==1+nTables*3:
d['tabColumnNames'] = ['Alpha']+[n+l for l in TableID for n in ['Cl','Cd','Cm']]
d['tabUnits'] = ['(deg)']+['(-)' , '(-)' , '(-)']*nTables
elif np.size(data,1)==1+nTables*2:
d['tabColumnNames'] = ['Alpha']+[n+l for l in TableID for n in ['Cl','Cd']]
d['tabUnits'] = ['(deg)']+['(-)' , '(-)']*nTables
else:
d['tabColumnNames'] = ['col{}'.format(j) for j in range(np.size(data,1))]
self.data.append(d)
return True
def readBeamDynProps(self,lines,iStart):
nStations=self['station_total']
#M=np.zeros((nStations,1+36+36))
M = np.zeros((nStations,6,6))
K = np.zeros((nStations,6,6))
span = np.zeros(nStations)
i=iStart;
try:
for j in range(nStations):
# Read span location
span[j]=float(lines[i]); i+=1;
# Read stiffness matrix
K[j,:,:]=np.array((' '.join(lines[i:i+6])).split()).astype(float).reshape(6,6)
i+=7