-
Notifications
You must be signed in to change notification settings - Fork 19
/
Copy pathplot.py
executable file
·169 lines (151 loc) · 4.31 KB
/
plot.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
#!/usr/bin/env python
"""This script plots various quantities."""
import argparse
import os
import matplotlib.pyplot as plt
import numpy as np
import pandas as pd
import pynfof.processing as proc
labels = {
"cl": r"$C_l$",
"cd": r"$C_d$",
"cl/cd": r"$C_l/C_d$",
"k": r"$k/U_\infty^2$",
"omega": r"$\omega$",
"epsilon": r"$\epsilon$",
"alpha_deg": r"$\alpha$ (deg)",
"cm": r"$C_m$",
"cn": "$C_n$",
"cc": "$C_c$",
}
def plot_time_series(quantity="cl"):
"""Plot specified quantity over time.
Can be used to visualize convergence.
"""
df = proc.load_force_coeffs()
if quantity == "cl/cd":
q = df.cl / df.cd
else:
q = df[quantity]
plt.figure()
plt.plot(df.time[5:], q[5:])
plt.xlabel(r"$t$")
plt.ylabel(labels[quantity])
plt.grid(True)
plt.tight_layout()
def plot_foil_perf(
quantity="cl/cd", foil="0012", Re=2e5, x="alpha_deg", ax=None, marker="-o"
):
df = pd.read_csv("processed/NACA{}_{:.1e}.csv".format(foil, Re))
alpha = np.deg2rad(df.alpha_deg)
df["cn"] = df.cl * np.cos(alpha) - df.cd * np.sin(alpha)
df["cc"] = df.cl * np.sin(alpha) - df.cd * np.cos(alpha)
if ax is None:
fig, ax = plt.subplots()
if quantity == "cl/cd":
q = df.cl / df.cd
else:
q = df[quantity]
ax.plot(df[x], q, marker, label="NACA " + foil)
ax.set_xlabel(labels[x])
ax.set_ylabel(labels[quantity])
ax.grid(True)
try:
fig.tight_layout()
except UnboundLocalError:
pass
def plot_multiple_foils(
quantity="cl/cd", foils=["0012", "0021"], Re=2e5, x="alpha_deg", save=False
):
"""Plot performance for multiple foils."""
fig, ax = plt.subplots()
for foil, m in zip(foils, ("-o", "--^", "-s", "--v")):
plot_foil_perf(
quantity=quantity, foil=foil, Re=Re, x=x, ax=ax, marker=m
)
ax.legend(loc="best")
fig.tight_layout()
if save:
figname = (
"NACA-"
+ "-".join(foils)
+ "-"
+ quantity.replace("/", "")
+ "-vs-"
+ x
)
fig.savefig("figures/" + figname + ".pdf")
fig.savefig("figures/" + figname + ".png", dpi=300)
if __name__ == "__main__":
try:
import seaborn
seaborn.set(
style="white",
context="notebook",
font_scale=1.5,
rc={
"axes.grid": True,
"legend.frameon": True,
"lines.markeredgewidth": 1.4,
"lines.markersize": 10,
},
)
except ImportError:
print("Could not import seaborn for plot styling. Try")
print("\n conda install seaborn\n\nor")
print("\n pip install seaborn\n")
parser = argparse.ArgumentParser(description="Plotting results")
parser.add_argument(
"quantity",
nargs="?",
default="cl/cd",
help="Which quantity to plot",
choices=[
"cl",
"cd",
"cm",
"cl/cd",
"k",
"omega",
"epsilon",
"cn",
"cc",
],
)
parser.add_argument("-x", help="Quantity on x-axis", default="alpha_deg")
parser.add_argument("--foil", "-f", help="Foil", default="0012")
parser.add_argument("--foils", "-F", help="Multiple foils", nargs="*")
parser.add_argument(
"--Reynolds", "-R", help="Reynolds number", default=2e5
)
parser.add_argument("--save", "-s", action="store_true", help="Save plots")
parser.add_argument(
"--noshow", action="store_true", default=False, help="Do not show"
)
parser.add_argument(
"--timeseries",
"-t",
action="store_true",
default=False,
help="Plot time series data",
)
args = parser.parse_args()
if args.save:
if not os.path.isdir("figures"):
os.mkdir("figures")
if args.timeseries:
plot_time_series(args.quantity)
elif args.foils:
plot_multiple_foils(
args.quantity,
args.foils,
float(args.Reynolds),
x=args.x,
save=args.save,
)
else:
plot_foil_perf(
args.quantity, args.foil, float(args.Reynolds), x=args.x
)
if not args.noshow:
plt.show()