-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathturbineOutput.py
199 lines (144 loc) · 7.42 KB
/
turbineOutput.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
#!/bin/python3
import logging
LEVEL = logging.INFO
logger = logging.getLogger(__name__)
import argparse
import gzip
from pathlib import Path
import numpy as np
import constants as const
import utils
################################################################################
def turbineOutput(casename, overwrite=False):
"""Stitches SOWFA turbineOutput files from multiple run start times
together, removing overlaps.
Written for Python 3.12, SOWFA 2.4.x for sowfatools
Jeffrey Johnston [email protected] May 2024
"""
casedir = const.CASES_DIR / casename
readdir = casedir / 'turbineOutput'
if not readdir.is_dir():
logger.warning(f'{readdir.stem} directory does not exist. '
f'Skipping case {casename}.')
return
sowfatoolsdir = casedir / const.SOWFATOOLS_DIR
utils.create_directory(sowfatoolsdir)
logfilename = 'log.turbineOutput'
utils.configure_function_logger(sowfatoolsdir/logfilename, level=LEVEL)
############################################################################
logger.info(f'Processing turbineOutput for case {casename}')
writedir = casedir / const.TURBINEOUTPUT_DIR
utils.create_directory(writedir)
timefolders = [timefolder for timefolder in readdir.iterdir()]
timefolders.sort(key=lambda x: float(x.name))
quantities = set()
for timefolder in timefolders:
for file in timefolder.iterdir():
quantities.add(Path(file.name))
logger.info(f'Found {len(quantities)} quantities across '
f'{len(timefolders)} time folders')
logger.info('')
############################################################################
for quantity in quantities:
logger.info(f'Processing {quantity.stem} for {casename}')
# Read first timefolder to check if processed files already exist
readfile = timefolders[0] / quantity
logger.debug(f'Reading {readfile}')
data = np.genfromtxt(readfile)
if len(data.shape) == 1: # For files with only one row of data
data = data[np.newaxis,:]
turbines = np.unique(data[:,0]).astype('int')
blades = np.unique(data[:,1]).astype('int')
writefiles = []
if quantity.stem in const.TURBINE_QUANTITIES:
writefiles.extend([writedir / (f'{casename}_{quantity.stem}_'
f'turbine{int(turbine)}.gz')
for turbine in turbines])
elif quantity.stem in const.BLADE_QUANTITIES:
writefiles.extend([writedir / (f'{casename}_{quantity.stem}_'
f'turbine{int(turbine)}_'
f'blade{int(blade)}.gz')
for turbine in turbines
for blade in blades])
if ( all([writefile.exists() for writefile in writefiles])
and overwrite is False ):
logger.warning(f'Files already exist. Skippping {quantity.stem}.')
logger.warning('')
continue
else:
logger.debug(f'Files do not already exist. '
f'Proceeding with {quantity.stem}')
# Read remaining timefolders
for timefolder in timefolders[1:]:
readfile = timefolder / quantity.stem # Using .stem allows for
# mixed compressed and uncompressed files in different time folders
logger.debug(f'Reading {readfile}')
rawdata = np.genfromtxt(readfile)
data = np.vstack((data,rawdata))
del rawdata # Deleted for memory efficiency only
########################################################################
for timefolder in timefolders:
try:
readfile = timefolder / quantity
if quantity.name.endswith('.gz'):
f = gzip.open(readfile,mode='rt')
else:
f = open(readfile)
except FileNotFoundError:
continue
header = f.readline()
firstrow = f.readline()
f.close()
logger.debug(f'Got header: {header.removesuffix('\n')}')
break
firstrow = firstrow.removesuffix('\n').split()
names = header.removeprefix('#').removesuffix('\n').split(' ')
names = [name.replace(' ','_') for name in names]
if quantity.stem in const.BLADE_QUANTITIES:
samples = len(firstrow) - len(names) + 1
names = names[2:] # Remove "Turbine" and "Blade" headers
basename = names[-1]
# Generate header for each sample point
names[-1] = f'{basename}_0'
for i in range(1,samples):
names.append(f'{basename}_{i}')
elif quantity.stem in const.TURBINE_QUANTITIES:
names = names[1:] # Remove "Turbine" header
header = ' '.join(names)
########################################################################
for turbine in turbines:
turbinedata = data[data[:,0] == turbine]
if quantity.stem in const.TURBINE_QUANTITIES:
writefile = writedir / (f'{casename}_{quantity.stem}_'
f'turbine{int(turbine)}.gz')
turbinedata = utils.remove_overlaps(turbinedata,1)
turbinedata = turbinedata[:,1:] # Remove "Turbine" column
logger.info(f'Saving file {writefile.name}')
np.savetxt(writefile,turbinedata,header=header,fmt='%.11e')
elif quantity.stem in const.BLADE_QUANTITIES:
for blade in blades:
logger.debug(f'{quantity.stem=} {turbine=} {blade=}')
writefile = writedir / (f'{casename}_{quantity.stem}_'
f'turbine{int(turbine)}_'
f'blade{int(blade)}.gz')
bladedata = turbinedata[turbinedata[:,1] == blade]
bladedata = utils.remove_overlaps(bladedata,2)
bladedata = bladedata[:,2:] # Remove "Turbine", "Blade" cols
logger.info(f'Saving file {writefile.name}')
np.savetxt(writefile,bladedata,header=header,fmt='%.11e')
del bladedata # Deleted for memory efficiency only
logger.info('')
del data # Data must be deleted for loop to work correctly
logger.info(f'Finished case {casename}')
logger.info('')
################################################################################
if __name__ == '__main__':
utils.configure_root_logger(level=LEVEL)
description = """Stitch turbineOutput data, removing overlaps"""
parser = argparse.ArgumentParser(description=description)
parser.add_argument('cases', help='list of cases to perform analysis for',
nargs='+')
args = parser.parse_args()
logger.debug(f'Parsed the command line arguments: {args}')
for casename in args.cases:
turbineOutput(casename)