User-Provided Mesh Example
Here is an example script with a custom mesh provided as an array of coordinates. This should help you understand how meshes are defined in OpenAeroStruct and how to create them for your own custom planform shapes. This is an alternative to the helper-function approach described in Aerodynamic Optimization.
The following shows the portion of the example script in which the user provides the coordinates for the mesh. This example is for a wing with a kink and two distinct trapezoidal segments.
# -----------------------------------------------------------------------------
# CUSTOM MESH: Example mesh for a 2-segment wing with sweep
# -----------------------------------------------------------------------------
# Planform specifications
half_span = 12.0 # wing half-span in m
kink_location = 4.0 # spanwise location of the kink in m
root_chord = 6.0 # root chord in m
kink_chord = 3.0 # kink chord in m
tip_chord = 2.0 # tip chord in m
inboard_LE_sweep = 10.0 # inboard leading-edge sweep angle in deg
outboard_LE_sweep = -10.0 # outboard leading-edge sweep angle in deg
# Mesh specifications
nx = 5 # number of chordwise nodal points (should be odd)
ny_outboard = 9 # number of spanwise nodal points for the outboard segment
ny_inboard = 7 # number of spanwise nodal points for the inboard segment
# Initialize the 3-D mesh object. Indexing: Chordwise, spanwise, then the 3-D coordinates.
# We use ny_inboard+ny_outboard-1 because the 2 segments share the nodes where they connect.
mesh = np.zeros((nx, ny_inboard + ny_outboard - 1, 3))
# The form of this 3-D array can be confusing initially.
# For each node, we are providing the x, y, and z coordinates.
# x is streamwise, y is spanwise, and z is up.
# For example, the node for the leading edge at the tip would be specified as mesh[0, 0, :] = np.array([x, y, z]).
# And the node at the trailing edge at the root would be mesh[nx-1, ny-1, :] = np.array([x, y, z]).
# We only provide the right half of the wing here because we use symmetry.
# Print elements of the mesh to better understand the form.
####### THE Z-COORDINATES ######
# Assume no dihedral, so set the z-coordinate for all the points to 0.
mesh[:, :, 2] = 0.0
####### THE Y-COORDINATES ######
# Using uniform spacing for the spanwise locations of all the nodes within each of the two trapezoidal segments:
# Outboard
mesh[:, :ny_outboard, 1] = np.linspace(half_span, kink_location, ny_outboard)
# Inboard
mesh[:, ny_outboard : ny_outboard + ny_inboard, 1] = np.linspace(kink_location, 0, ny_inboard)[1:]
###### THE X-COORDINATES ######
# Start with the leading edge and create some intermediate arrays that we will use
x_LE = np.zeros(ny_inboard + ny_outboard - 1)
array_for_inboard_leading_edge_x_coord = np.linspace(0, kink_location, ny_inboard) * np.tan(
inboard_LE_sweep / 180.0 * np.pi
)
array_for_outboard_leading_edge_x_coord = (
np.linspace(0, half_span - kink_location, ny_outboard) * np.tan(outboard_LE_sweep / 180.0 * np.pi)
+ np.ones(ny_outboard) * array_for_inboard_leading_edge_x_coord[-1]
)
x_LE[:ny_inboard] = array_for_inboard_leading_edge_x_coord
x_LE[ny_inboard : ny_inboard + ny_outboard] = array_for_outboard_leading_edge_x_coord[1:]
# Then the trailing edge
x_TE = np.zeros(ny_inboard + ny_outboard - 1)
array_for_inboard_trailing_edge_x_coord = np.linspace(
array_for_inboard_leading_edge_x_coord[0] + root_chord,
array_for_inboard_leading_edge_x_coord[-1] + kink_chord,
ny_inboard,
)
array_for_outboard_trailing_edge_x_coord = np.linspace(
array_for_outboard_leading_edge_x_coord[0] + kink_chord,
array_for_outboard_leading_edge_x_coord[-1] + tip_chord,
ny_outboard,
)
x_TE[:ny_inboard] = array_for_inboard_trailing_edge_x_coord
x_TE[ny_inboard : ny_inboard + ny_outboard] = array_for_outboard_trailing_edge_x_coord[1:]
# # Quick plot to check leading and trailing edge x-coords
# plt.plot(x_LE, np.arange(0, ny_inboard+ny_outboard-1), marker='*')
# plt.plot(x_TE, np.arange(0, ny_inboard+ny_outboard-1), marker='*')
# plt.show()
# exit()
for i in range(0, ny_inboard + ny_outboard - 1):
mesh[:, i, 0] = np.linspace(np.flip(x_LE)[i], np.flip(x_TE)[i], nx)
# -----------------------------------------------------------------------------
# END MESH
# -----------------------------------------------------------------------------
The following shows a visualization of the mesh.
The complete script for the optimization is as follows. Make sure you go through the Aerostructural Optimization with Wingbox before trying to understand this setup.
import warnings
import matplotlib
warnings.filterwarnings('ignore')
matplotlib.use('Agg')
"""
This example script can be used to run a multipoint aerostructural (w/ wingbox) optimization for a custom user-provided mesh.
The fuel burn from the cruise flight-point is the objective function and a 2.5g
maneuver flight-point is used for the structural sizing.
After running the optimization, use the 'plot_wingbox.py' script in the utils/
directory (e.g., as 'python ../utils/plot_wingbox.py aerostruct.db' if running
from this directory) to visualize the results.
'plot_wingbox.py' is still under development and will probably not work as it is for other types of cases for now.
"""
import numpy as np
from openaerostruct.integration.aerostruct_groups import AerostructGeometry, AerostructPoint
from openaerostruct.structures.wingbox_fuel_vol_delta import WingboxFuelVolDelta
import openmdao.api as om
# docs checkpoint 0
# -----------------------------------------------------------------------------
# CUSTOM MESH: Example mesh for a 2-segment wing with sweep
# -----------------------------------------------------------------------------
# Planform specifications
half_span = 12.0 # wing half-span in m
kink_location = 4.0 # spanwise location of the kink in m
root_chord = 6.0 # root chord in m
kink_chord = 3.0 # kink chord in m
tip_chord = 2.0 # tip chord in m
inboard_LE_sweep = 10.0 # inboard leading-edge sweep angle in deg
outboard_LE_sweep = -10.0 # outboard leading-edge sweep angle in deg
# Mesh specifications
nx = 5 # number of chordwise nodal points (should be odd)
ny_outboard = 9 # number of spanwise nodal points for the outboard segment
ny_inboard = 7 # number of spanwise nodal points for the inboard segment
# Initialize the 3-D mesh object. Indexing: Chordwise, spanwise, then the 3-D coordinates.
# We use ny_inboard+ny_outboard-1 because the 2 segments share the nodes where they connect.
mesh = np.zeros((nx, ny_inboard + ny_outboard - 1, 3))
# The form of this 3-D array can be confusing initially.
# For each node, we are providing the x, y, and z coordinates.
# x is streamwise, y is spanwise, and z is up.
# For example, the node for the leading edge at the tip would be specified as mesh[0, 0, :] = np.array([x, y, z]).
# And the node at the trailing edge at the root would be mesh[nx-1, ny-1, :] = np.array([x, y, z]).
# We only provide the right half of the wing here because we use symmetry.
# Print elements of the mesh to better understand the form.
####### THE Z-COORDINATES ######
# Assume no dihedral, so set the z-coordinate for all the points to 0.
mesh[:, :, 2] = 0.0
####### THE Y-COORDINATES ######
# Using uniform spacing for the spanwise locations of all the nodes within each of the two trapezoidal segments:
# Outboard
mesh[:, :ny_outboard, 1] = np.linspace(half_span, kink_location, ny_outboard)
# Inboard
mesh[:, ny_outboard : ny_outboard + ny_inboard, 1] = np.linspace(kink_location, 0, ny_inboard)[1:]
###### THE X-COORDINATES ######
# Start with the leading edge and create some intermediate arrays that we will use
x_LE = np.zeros(ny_inboard + ny_outboard - 1)
array_for_inboard_leading_edge_x_coord = np.linspace(0, kink_location, ny_inboard) * np.tan(
inboard_LE_sweep / 180.0 * np.pi
)
array_for_outboard_leading_edge_x_coord = (
np.linspace(0, half_span - kink_location, ny_outboard) * np.tan(outboard_LE_sweep / 180.0 * np.pi)
+ np.ones(ny_outboard) * array_for_inboard_leading_edge_x_coord[-1]
)
x_LE[:ny_inboard] = array_for_inboard_leading_edge_x_coord
x_LE[ny_inboard : ny_inboard + ny_outboard] = array_for_outboard_leading_edge_x_coord[1:]
# Then the trailing edge
x_TE = np.zeros(ny_inboard + ny_outboard - 1)
array_for_inboard_trailing_edge_x_coord = np.linspace(
array_for_inboard_leading_edge_x_coord[0] + root_chord,
array_for_inboard_leading_edge_x_coord[-1] + kink_chord,
ny_inboard,
)
array_for_outboard_trailing_edge_x_coord = np.linspace(
array_for_outboard_leading_edge_x_coord[0] + kink_chord,
array_for_outboard_leading_edge_x_coord[-1] + tip_chord,
ny_outboard,
)
x_TE[:ny_inboard] = array_for_inboard_trailing_edge_x_coord
x_TE[ny_inboard : ny_inboard + ny_outboard] = array_for_outboard_trailing_edge_x_coord[1:]
# # Quick plot to check leading and trailing edge x-coords
# plt.plot(x_LE, np.arange(0, ny_inboard+ny_outboard-1), marker='*')
# plt.plot(x_TE, np.arange(0, ny_inboard+ny_outboard-1), marker='*')
# plt.show()
# exit()
for i in range(0, ny_inboard + ny_outboard - 1):
mesh[:, i, 0] = np.linspace(np.flip(x_LE)[i], np.flip(x_TE)[i], nx)
# -----------------------------------------------------------------------------
# END MESH
# -----------------------------------------------------------------------------
# docs checkpoint 1
# -----------------------------------------------------------------------------
# On to the problem setup (this is the same setup used for the Q400 example)
# -----------------------------------------------------------------------------
# Provide coordinates for a portion of an airfoil for the wingbox cross-section as an nparray with dtype=complex (to work with the complex-step approximation for derivatives).
# These should be for an airfoil with the chord scaled to 1.
# We use the 10% to 60% portion of the NASA SC2-0612 airfoil for this case
# We use the coordinates available from airfoiltools.com. Using such a large number of coordinates is not necessary.
# The first and last x-coordinates of the upper and lower surfaces must be the same
# fmt: off
upper_x = np.array([0.1, 0.11, 0.12, 0.13, 0.14, 0.15, 0.16, 0.17, 0.18, 0.19, 0.2, 0.21, 0.22, 0.23, 0.24, 0.25, 0.26, 0.27, 0.28, 0.29, 0.3, 0.31, 0.32, 0.33, 0.34, 0.35, 0.36, 0.37, 0.38, 0.39, 0.4, 0.41, 0.42, 0.43, 0.44, 0.45, 0.46, 0.47, 0.48, 0.49, 0.5, 0.51, 0.52, 0.53, 0.54, 0.55, 0.56, 0.57, 0.58, 0.59, 0.6], dtype="complex128")
lower_x = np.array([0.1, 0.11, 0.12, 0.13, 0.14, 0.15, 0.16, 0.17, 0.18, 0.19, 0.2, 0.21, 0.22, 0.23, 0.24, 0.25, 0.26, 0.27, 0.28, 0.29, 0.3, 0.31, 0.32, 0.33, 0.34, 0.35, 0.36, 0.37, 0.38, 0.39, 0.4, 0.41, 0.42, 0.43, 0.44, 0.45, 0.46, 0.47, 0.48, 0.49, 0.5, 0.51, 0.52, 0.53, 0.54, 0.55, 0.56, 0.57, 0.58, 0.59, 0.6], dtype="complex128")
upper_y = np.array([ 0.0447, 0.046, 0.0472, 0.0484, 0.0495, 0.0505, 0.0514, 0.0523, 0.0531, 0.0538, 0.0545, 0.0551, 0.0557, 0.0563, 0.0568, 0.0573, 0.0577, 0.0581, 0.0585, 0.0588, 0.0591, 0.0593, 0.0595, 0.0597, 0.0599, 0.06, 0.0601, 0.0602, 0.0602, 0.0602, 0.0602, 0.0602, 0.0601, 0.06, 0.0599, 0.0598, 0.0596, 0.0594, 0.0592, 0.0589, 0.0586, 0.0583, 0.058, 0.0576, 0.0572, 0.0568, 0.0563, 0.0558, 0.0553, 0.0547, 0.0541], dtype="complex128") # noqa: E201, E241
lower_y = np.array([-0.0447, -0.046, -0.0473, -0.0485, -0.0496, -0.0506, -0.0515, -0.0524, -0.0532, -0.054, -0.0547, -0.0554, -0.056, -0.0565, -0.057, -0.0575, -0.0579, -0.0583, -0.0586, -0.0589, -0.0592, -0.0594, -0.0595, -0.0596, -0.0597, -0.0598, -0.0598, -0.0598, -0.0598, -0.0597, -0.0596, -0.0594, -0.0592, -0.0589, -0.0586, -0.0582, -0.0578, -0.0573, -0.0567, -0.0561, -0.0554, -0.0546, -0.0538, -0.0529, -0.0519, -0.0509, -0.0497, -0.0485, -0.0472, -0.0458, -0.0444], dtype="complex128")
# fmt: on
surf_dict = {
# Wing definition
"name": "wing", # name of the surface
"symmetry": True, # if true, model one half of wing
"S_ref_type": "wetted", # how we compute the wing area,
# can be 'wetted' or 'projected'
"mesh": mesh,
"twist_cp": np.array([6.0, 7.0, 7.0, 7.0]),
"fem_model_type": "wingbox",
"data_x_upper": upper_x,
"data_x_lower": lower_x,
"data_y_upper": upper_y,
"data_y_lower": lower_y,
"spar_thickness_cp": np.array([0.004, 0.004, 0.004, 0.004]), # [m]
"skin_thickness_cp": np.array([0.003, 0.006, 0.010, 0.012]), # [m]
"original_wingbox_airfoil_t_over_c": 0.12,
# Aerodynamic deltas.
# These CL0 and CD0 values are added to the CL and CD
# obtained from aerodynamic analysis of the surface to get
# the total CL and CD.
# These CL0 and CD0 values do not vary wrt alpha.
# They can be used to account for things that are not included, such as contributions from the fuselage, nacelles, tail surfaces, etc.
"CL0": 0.0,
"CD0": 0.0142,
"with_viscous": True, # if true, compute viscous drag
"with_wave": True, # if true, compute wave drag
# Airfoil properties for viscous drag calculation
"k_lam": 0.05, # percentage of chord with laminar
# flow, used for viscous drag
"c_max_t": 0.38, # chordwise location of maximum thickness
"t_over_c_cp": np.array([0.1, 0.1, 0.15, 0.15]),
# Structural values are based on aluminum 7075
"E": 73.1e9, # [Pa] Young's modulus
"G": (73.1e9 / 2 / 1.33), # [Pa] shear modulus (calculated using E and the Poisson's ratio here)
"yield": (420.0e6 / 1.5), # [Pa] allowable yield stress
"mrho": 2.78e3, # [kg/m^3] material density
"strength_factor_for_upper_skin": 1.0, # the yield stress is multiplied by this factor for the upper skin
"wing_weight_ratio": 1.25,
"exact_failure_constraint": False, # if false, use KS function
"struct_weight_relief": True,
"distributed_fuel_weight": True,
"fuel_density": 803.0, # [kg/m^3] fuel density (only needed if the fuel-in-wing volume constraint is used)
"Wf_reserve": 500.0, # [kg] reserve fuel mass
}
surfaces = [surf_dict]
# Create the problem and assign the model group
prob = om.Problem()
# Add problem information as an independent variables component
indep_var_comp = om.IndepVarComp()
indep_var_comp.add_output("v", val=np.array([0.5 * 310.95, 0.3 * 340.294]), units="m/s")
indep_var_comp.add_output("alpha", val=0.0, units="deg")
indep_var_comp.add_output("alpha_maneuver", val=0.0, units="deg")
indep_var_comp.add_output("Mach_number", val=np.array([0.5, 0.3]))
indep_var_comp.add_output(
"re",
val=np.array([0.569 * 310.95 * 0.5 * 1.0 / (1.56 * 1e-5), 1.225 * 340.294 * 0.3 * 1.0 / (1.81206 * 1e-5)]),
units="1/m",
)
indep_var_comp.add_output("rho", val=np.array([0.569, 1.225]), units="kg/m**3")
indep_var_comp.add_output("CT", val=0.43 / 3600, units="1/s")
indep_var_comp.add_output("R", val=2e6, units="m")
indep_var_comp.add_output("W0", val=25400 + surf_dict["Wf_reserve"], units="kg")
indep_var_comp.add_output("speed_of_sound", val=np.array([310.95, 340.294]), units="m/s")
indep_var_comp.add_output("load_factor", val=np.array([1.0, 2.5]))
indep_var_comp.add_output("empty_cg", val=np.zeros((3)), units="m")
indep_var_comp.add_output("fuel_mass", val=3000.0, units="kg")
prob.model.add_subsystem("prob_vars", indep_var_comp, promotes=["*"])
# Loop over each surface in the surfaces list
for surface in surfaces:
# Get the surface name and create a group to contain components
# only for this surface
name = surface["name"]
aerostruct_group = AerostructGeometry(surface=surface)
# Add group to the problem with the name of the surface.
prob.model.add_subsystem(name, aerostruct_group)
# Loop through and add a certain number of aerostruct points
for i in range(2):
point_name = "AS_point_{}".format(i)
# Connect the parameters within the model for each aerostruct point
# Create the aero point group and add it to the model
AS_point = AerostructPoint(surfaces=surfaces, internally_connect_fuelburn=False)
prob.model.add_subsystem(point_name, AS_point)
# Connect flow properties to the analysis point
prob.model.connect("v", point_name + ".v", src_indices=[i])
prob.model.connect("Mach_number", point_name + ".Mach_number", src_indices=[i])
prob.model.connect("re", point_name + ".re", src_indices=[i])
prob.model.connect("rho", point_name + ".rho", src_indices=[i])
prob.model.connect("CT", point_name + ".CT")
prob.model.connect("R", point_name + ".R")
prob.model.connect("W0", point_name + ".W0")
prob.model.connect("speed_of_sound", point_name + ".speed_of_sound", src_indices=[i])
prob.model.connect("empty_cg", point_name + ".empty_cg")
prob.model.connect("load_factor", point_name + ".load_factor", src_indices=[i])
prob.model.connect("fuel_mass", point_name + ".total_perf.L_equals_W.fuelburn")
prob.model.connect("fuel_mass", point_name + ".total_perf.CG.fuelburn")
for surface in surfaces:
name = surface["name"]
if surf_dict["distributed_fuel_weight"]:
prob.model.connect("load_factor", point_name + ".coupled.load_factor", src_indices=[i])
com_name = point_name + "." + name + "_perf."
prob.model.connect(
name + ".local_stiff_transformed", point_name + ".coupled." + name + ".local_stiff_transformed"
)
prob.model.connect(name + ".nodes", point_name + ".coupled." + name + ".nodes")
# Connect aerodynamic mesh to coupled group mesh
prob.model.connect(name + ".mesh", point_name + ".coupled." + name + ".mesh")
if surf_dict["struct_weight_relief"]:
prob.model.connect(name + ".element_mass", point_name + ".coupled." + name + ".element_mass")
# Connect performance calculation variables
prob.model.connect(name + ".nodes", com_name + "nodes")
prob.model.connect(name + ".cg_location", point_name + "." + "total_perf." + name + "_cg_location")
prob.model.connect(name + ".structural_mass", point_name + "." + "total_perf." + name + "_structural_mass")
# Connect wingbox properties to von Mises stress calcs
prob.model.connect(name + ".Qz", com_name + "Qz")
prob.model.connect(name + ".J", com_name + "J")
prob.model.connect(name + ".A_enc", com_name + "A_enc")
prob.model.connect(name + ".htop", com_name + "htop")
prob.model.connect(name + ".hbottom", com_name + "hbottom")
prob.model.connect(name + ".hfront", com_name + "hfront")
prob.model.connect(name + ".hrear", com_name + "hrear")
prob.model.connect(name + ".spar_thickness", com_name + "spar_thickness")
prob.model.connect(name + ".t_over_c", com_name + "t_over_c")
prob.model.connect("alpha", "AS_point_0" + ".alpha")
prob.model.connect("alpha_maneuver", "AS_point_1" + ".alpha")
# Here we add the fuel volume constraint componenet to the model
prob.model.add_subsystem("fuel_vol_delta", WingboxFuelVolDelta(surface=surface))
prob.model.connect("wing.struct_setup.fuel_vols", "fuel_vol_delta.fuel_vols")
prob.model.connect("AS_point_0.fuelburn", "fuel_vol_delta.fuelburn")
if surf_dict["distributed_fuel_weight"]:
prob.model.connect("wing.struct_setup.fuel_vols", "AS_point_0.coupled.wing.struct_states.fuel_vols")
prob.model.connect("fuel_mass", "AS_point_0.coupled.wing.struct_states.fuel_mass")
prob.model.connect("wing.struct_setup.fuel_vols", "AS_point_1.coupled.wing.struct_states.fuel_vols")
prob.model.connect("fuel_mass", "AS_point_1.coupled.wing.struct_states.fuel_mass")
comp = om.ExecComp("fuel_diff = (fuel_mass - fuelburn) / fuelburn", units="kg")
prob.model.add_subsystem("fuel_diff", comp, promotes_inputs=["fuel_mass"], promotes_outputs=["fuel_diff"])
prob.model.connect("AS_point_0.fuelburn", "fuel_diff.fuelburn")
## Use these settings if you do not have pyOptSparse or SNOPT
prob.driver = om.ScipyOptimizeDriver()
prob.driver.options["optimizer"] = "SLSQP"
prob.driver.options["tol"] = 1e-4
recorder = om.SqliteRecorder("aerostruct.db")
prob.driver.add_recorder(recorder)
# We could also just use prob.driver.recording_options['includes']=['*'] here, but for large meshes the database file becomes extremely large. So we just select the variables we need.
prob.driver.recording_options["includes"] = [
"alpha",
"rho",
"v",
"cg",
"AS_point_1.cg",
"AS_point_0.cg",
"AS_point_0.coupled.wing_loads.loads",
"AS_point_1.coupled.wing_loads.loads",
"AS_point_0.coupled.wing.normals",
"AS_point_1.coupled.wing.normals",
"AS_point_0.coupled.wing.widths",
"AS_point_1.coupled.wing.widths",
"AS_point_0.coupled.aero_states.wing_sec_forces",
"AS_point_1.coupled.aero_states.wing_sec_forces",
"AS_point_0.wing_perf.CL1",
"AS_point_1.wing_perf.CL1",
"AS_point_0.coupled.wing.S_ref",
"AS_point_1.coupled.wing.S_ref",
"wing.geometry.twist",
"wing.mesh",
"wing.skin_thickness",
"wing.spar_thickness",
"wing.t_over_c",
"wing.structural_mass",
"AS_point_0.wing_perf.vonmises",
"AS_point_1.wing_perf.vonmises",
"AS_point_0.coupled.wing.def_mesh",
"AS_point_1.coupled.wing.def_mesh",
]
prob.driver.recording_options["record_objectives"] = True
prob.driver.recording_options["record_constraints"] = True
prob.driver.recording_options["record_desvars"] = True
prob.driver.recording_options["record_inputs"] = True
prob.model.add_objective("AS_point_0.fuelburn", scaler=1e-5)
prob.model.add_design_var("wing.twist_cp", lower=-15.0, upper=15.0, scaler=0.1)
prob.model.add_design_var("wing.spar_thickness_cp", lower=0.003, upper=0.1, scaler=1e2)
prob.model.add_design_var("wing.skin_thickness_cp", lower=0.003, upper=0.1, scaler=1e2)
prob.model.add_design_var("wing.geometry.t_over_c_cp", lower=0.07, upper=0.2, scaler=10.0)
prob.model.add_design_var("fuel_mass", lower=0.0, upper=2e5, scaler=1e-5)
prob.model.add_design_var("alpha_maneuver", lower=-15.0, upper=15)
prob.model.add_constraint("AS_point_0.CL", equals=0.6)
prob.model.add_constraint("AS_point_1.L_equals_W", equals=0.0)
prob.model.add_constraint("AS_point_1.wing_perf.failure", upper=0.0)
prob.model.add_constraint("fuel_vol_delta.fuel_vol_delta", lower=0.0)
prob.model.add_constraint("fuel_diff", equals=0.0)
# Set up the problem
prob.setup()
/home/docs/checkouts/readthedocs.org/user_builds/mdolab-openaerostruct/envs/latest/lib/python3.11/site-packages/openmdao/core/system.py:2548: PromotionWarning:'AS_point_0.coupled.wing.struct_states' <class SpatialBeamStates>: input variable 'load_factor', promoted using 'load_factor', was already promoted using 'load_factor'. /home/docs/checkouts/readthedocs.org/user_builds/mdolab-openaerostruct/envs/latest/lib/python3.11/site-packages/openmdao/core/system.py:2548: PromotionWarning:'AS_point_0.coupled.wing.struct_states' <class SpatialBeamStates>: input variable 'nodes', promoted using 'nodes', was already promoted using 'nodes'. /home/docs/checkouts/readthedocs.org/user_builds/mdolab-openaerostruct/envs/latest/lib/python3.11/site-packages/openmdao/core/system.py:2548: PromotionWarning:'AS_point_1.coupled.wing.struct_states' <class SpatialBeamStates>: input variable 'load_factor', promoted using 'load_factor', was already promoted using 'load_factor'. /home/docs/checkouts/readthedocs.org/user_builds/mdolab-openaerostruct/envs/latest/lib/python3.11/site-packages/openmdao/core/system.py:2548: PromotionWarning:'AS_point_1.coupled.wing.struct_states' <class SpatialBeamStates>: input variable 'nodes', promoted using 'nodes', was already promoted using 'nodes'. /home/docs/checkouts/readthedocs.org/user_builds/mdolab-openaerostruct/envs/latest/lib/python3.11/site-packages/openmdao/core/driver.py:773: OpenMDAOWarning:ScipyOptimizeDriver: No matches for pattern 'cg' in recording_options['includes'].
# change linear solver for aerostructural coupled adjoint
prob.model.AS_point_0.coupled.linear_solver = om.LinearBlockGS(iprint=0, maxiter=30, use_aitken=True)
prob.model.AS_point_1.coupled.linear_solver = om.LinearBlockGS(iprint=0, maxiter=30, use_aitken=True)
# om.view_model(prob)
# prob.check_partials(form='central', compact_print=True)
prob.run_driver()
================== AS_point_0.coupled ================== NL: NLBGS 1 ; 59799.3769 1 NL: NLBGS 2 ; 59185.8664 0.98974052 NL: NLBGS 3 ; 1932.95797 0.0323240487 NL: NLBGS 4 ; 49.8057198 0.000832880246 NL: NLBGS 5 ; 0.126122625 2.10909596e-06 NL: NLBGS 6 ; 0.00519676429 8.69033184e-08 NL: NLBGS 7 ; 4.2516868e-05 7.10991823e-10 NL: NLBGS 8 ; 5.50829988e-08 9.21129978e-13 NL: NLBGS Converged ================== AS_point_1.coupled ================== NL: NLBGS 1 ; 63855.129 1 NL: NLBGS 2 ; 54754.3066 0.857477034 NL: NLBGS 3 ; 1645.88927 0.0257753652 NL: NLBGS 4 ; 39.2602865 0.000614833721 NL: NLBGS 5 ; 0.092686081 1.45150566e-06 NL: NLBGS 6 ; 0.00346829799 5.43151043e-08 NL: NLBGS 7 ; 2.99365997e-05 4.68820597e-10 NL: NLBGS 8 ; 3.11191334e-08 4.87339606e-13 NL: NLBGS Converged ================== AS_point_0.coupled ================== NL: NLBGS 1 ; 1.44932132e-09 1 NL: NLBGS Converged ================== AS_point_1.coupled ================== NL: NLBGS 1 ; 8.67279324e-10 1 NL: NLBGS Converged ================== AS_point_0.coupled ================== NL: NLBGS 1 ; 13060.7325 1 NL: NLBGS 2 ; 12115.9746 0.927664252 NL: NLBGS 3 ; 1922.1865 0.147172948 NL: NLBGS 4 ; 82.9485654 0.00635098877 NL: NLBGS 5 ; 0.93698673 7.17407488e-05 NL: NLBGS 6 ; 0.0806535846 6.17527268e-06 NL: NLBGS 7 ; 0.00207381783 1.58782659e-07 NL: NLBGS 8 ; 2.43233925e-05 1.86232988e-09 NL: NLBGS 9 ; 1.55068714e-06 1.18728956e-10 NL: NLBGS 10 ; 1.25834383e-07 9.63455784e-12 NL: NLBGS 11 ; 4.5958676e-09 3.51884367e-13 NL: NLBGS Converged ================== AS_point_1.coupled ================== NL: NLBGS 1 ; 100340.452 1 NL: NLBGS 2 ; 98453.4942 0.98119445 NL: NLBGS 3 ; 16326.4983 0.162711031 NL: NLBGS 4 ; 886.214263 0.0088320737 NL: NLBGS 5 ; 33.0403855 0.000329282806 NL: NLBGS 6 ; 1.61387027 1.60839446e-05 NL: NLBGS 7 ; 0.0548275457 5.46415178e-07 NL: NLBGS 8 ; 0.00296586948 2.95580639e-08 NL: NLBGS 9 ; 4.68189193e-05 4.66600643e-10 NL: NLBGS 10 ; 9.74297054e-06 9.70991299e-11 NL: NLBGS 11 ; 1.7042448e-06 1.69846235e-11 NL: NLBGS 12 ; 4.0933311e-08 4.07944257e-13 NL: NLBGS Converged ================== AS_point_0.coupled ================== NL: NLBGS 1 ; 5046.77615 1 NL: NLBGS 2 ; 4953.75601 0.981568403 NL: NLBGS 3 ; 547.392003 0.108463698 NL: NLBGS 4 ; 23.3317445 0.00462309874 NL: NLBGS 5 ; 0.142538425 2.82434608e-05 NL: NLBGS 6 ; 0.0102286996 2.02677894e-06 NL: NLBGS 7 ; 0.000176946778 3.50613486e-08 NL: NLBGS 8 ; 9.46625933e-07 1.87570422e-10 NL: NLBGS 9 ; 6.00848985e-08 1.19056001e-11 NL: NLBGS Converged ================== AS_point_1.coupled ================== NL: NLBGS 1 ; 12308.247 1 NL: NLBGS 2 ; 11467.7364 0.931711592 NL: NLBGS 3 ; 1728.20879 0.140410637 NL: NLBGS 4 ; 53.2915385 0.00432974238 NL: NLBGS 5 ; 0.324716948 2.63820631e-05 NL: NLBGS 6 ; 0.0365638329 2.97067755e-06 NL: NLBGS 7 ; 0.000613333568 4.98311068e-08 NL: NLBGS 8 ; 1.04441268e-05 8.48547065e-10 NL: NLBGS 9 ; 5.21840951e-07 4.23976666e-11 NL: NLBGS 10 ; 1.916066e-08 1.55673347e-12 NL: NLBGS Converged ================== AS_point_0.coupled ================== NL: NLBGS 1 ; 8328.16416 1 NL: NLBGS 2 ; 8365.32768 1.00446239 NL: NLBGS 3 ; 623.534902 0.0748706306 NL: NLBGS 4 ; 46.5240507 0.00558635131 NL: NLBGS 5 ; 0.163393047 1.96193356e-05 NL: NLBGS 6 ; 0.00406648286 4.88280824e-07 NL: NLBGS 7 ; 0.000248234205 2.98065936e-08 NL: NLBGS 8 ; 6.98284107e-07 8.38461027e-11 NL: NLBGS 9 ; 1.25850976e-08 1.51114908e-12 NL: NLBGS Converged ================== AS_point_1.coupled ================== NL: NLBGS 1 ; 8260.65566 1 NL: NLBGS 2 ; 7772.52156 0.940908552 NL: NLBGS 3 ; 865.663947 0.104793612 NL: NLBGS 4 ; 51.2875691 0.00620865598 NL: NLBGS 5 ; 0.377949463 4.57529618e-05 NL: NLBGS 6 ; 0.0136433818 1.65161004e-06 NL: NLBGS 7 ; 0.000607772076 7.35743143e-08 NL: NLBGS 8 ; 3.22275661e-06 3.9013327e-10 NL: NLBGS 9 ; 1.12099914e-07 1.3570341e-11 NL: NLBGS 10 ; 7.3447101e-09 8.89119509e-13 NL: NLBGS Converged ================== AS_point_0.coupled ================== NL: NLBGS 1 ; 3230.04683 1 NL: NLBGS 2 ; 3221.86325 0.99746642 NL: NLBGS 3 ; 235.014708 0.0727589167 NL: NLBGS 4 ; 18.2091299 0.00563741977 NL: NLBGS 5 ; 0.0699002671 2.16406358e-05 NL: NLBGS 6 ; 0.00136877536 4.23763319e-07 NL: NLBGS 7 ; 9.03332053e-05 2.79665312e-08 NL: NLBGS 8 ; 2.1169746e-07 6.55400591e-11 NL: NLBGS 9 ; 3.76337626e-09 1.16511508e-12 NL: NLBGS Converged ================== AS_point_1.coupled ================== NL: NLBGS 1 ; 3298.26173 1 NL: NLBGS 2 ; 2993.14657 0.907492134 NL: NLBGS 3 ; 242.611732 0.0735574531 NL: NLBGS 4 ; 22.1507889 0.00671589786 NL: NLBGS 5 ; 0.143698024 4.35678051e-05 NL: NLBGS 6 ; 0.000939856745 2.84955174e-07 NL: NLBGS 7 ; 7.04941834e-05 2.1373132e-08 NL: NLBGS 8 ; 1.05745514e-07 3.20609834e-11 NL: NLBGS 9 ; 1.25441205e-09 3.803252e-13 NL: NLBGS Converged ================== AS_point_0.coupled ================== NL: NLBGS 1 ; 2071.31095 1 NL: NLBGS 2 ; 2075.27442 1.0019135 NL: NLBGS 3 ; 142.002384 0.0685567677 NL: NLBGS 4 ; 11.4586131 0.00553205835 NL: NLBGS 5 ; 0.044877007 2.16659922e-05 NL: NLBGS 6 ; 0.000608079503 2.93572291e-07 NL: NLBGS 7 ; 4.31575218e-05 2.08358488e-08 NL: NLBGS 8 ; 9.79636893e-08 4.7295501e-11 NL: NLBGS Converged ================== AS_point_1.coupled ================== NL: NLBGS 1 ; 2118.99073 1 NL: NLBGS 2 ; 1964.13639 0.926920709 NL: NLBGS 3 ; 147.89271 0.0697939392 NL: NLBGS 4 ; 13.6622775 0.00644753998 NL: NLBGS 5 ; 0.0885087369 4.17692893e-05 NL: NLBGS 6 ; 0.000682658951 3.22162311e-07 NL: NLBGS 7 ; 5.13694709e-05 2.42424236e-08 NL: NLBGS 8 ; 6.25323893e-08 2.95104591e-11 NL: NLBGS Converged ================== AS_point_0.coupled ================== NL: NLBGS 1 ; 28.6329045 1 NL: NLBGS 2 ; 23.7134585 0.828189067 NL: NLBGS 3 ; 2.07572766 0.0724944849 NL: NLBGS 4 ; 0.139836353 0.00488376417 NL: NLBGS 5 ; 0.000867968516 3.03136734e-05 NL: NLBGS 6 ; 2.81779229e-05 9.84109835e-07 NL: NLBGS 7 ; 1.43511674e-06 5.01212422e-08 NL: NLBGS 8 ; 3.7239368e-09 1.30057948e-10 NL: NLBGS Converged ================== AS_point_1.coupled ================== NL: NLBGS 1 ; 53.1131575 1 NL: NLBGS 2 ; 33.8926527 0.638121592 NL: NLBGS 3 ; 0.880592525 0.0165795552 NL: NLBGS 4 ; 0.0907478089 0.00170857492 NL: NLBGS 5 ; 0.000892508477 1.68039054e-05 NL: NLBGS 6 ; 1.72966439e-05 3.25656479e-07 NL: NLBGS 7 ; 1.34419495e-06 2.53081347e-08 NL: NLBGS 8 ; 1.54251634e-09 2.90420758e-11 NL: NLBGS Converged Optimization terminated successfully (Exit mode 0) Current function value: 0.02792414797947843 Iterations: 6 Function evaluations: 7 Gradient evaluations: 6 Optimization Complete -----------------------------------
# prob.run_model()
print("The fuel burn value is", prob["AS_point_0.fuelburn"][0], "[kg]")
The fuel burn value is 2792.4147979478425 [kg]
print(
"The wingbox mass (excluding the wing_weight_ratio) is",
prob["wing.structural_mass"][0] / surf_dict["wing_weight_ratio"],
"[kg]",
)
The wingbox mass (excluding the wing_weight_ratio) is 1158.9598707354673 [kg]
There is plenty of room for improvement. A finer mesh and a tighter optimization tolerance should be used.