Why is that max-Q doesn't occur in transonic regime?How much bigger could Earth be, before rockets would't...
Why didn't Tom Riddle take the presence of Fawkes and the Sorting Hat as more of a threat?
What is the wife of a henpecked husband called?
Stuck on a Geometry Puzzle
Why is it that Bernie Sanders is always called a "socialist"?
Does the ditching switch allow an A320 to float indefinitely?
Is there any advantage in specifying './' in a for loop using a glob?
Memory usage: #define vs. static const for uint8_t
What does MTU depend on?
What are some ways of extending a description of a scenery?
How to politely refuse in-office gym instructor for steroids and protein
Non-Cancer terminal illness that can affect young (age 10-13) girls?
Crack the bank account's password!
Can a player sacrifice a creature after declaring that creature as blocker while taking lethal damage?
Does diversity provide anything that meritocracy does not?
A starship is travelling at 0.9c and collides with a small rock. Will it leave a clean hole through, or will more happen?
Closed set in topological space generated by sets of the form [a, b).
Are the positive and negative planes inner or outer planes in the Great Wheel cosmology model?
Eww, those bytes are gross
Single-row INSERT...SELECT much slower than separate SELECT
Why is 'diphthong' not pronounced otherwise?
Critique vs nitpicking
How do you get out of your own psychology to write characters?
Illustrator to chemdraw
How to deal with an underperforming subordinate?
Why is that max-Q doesn't occur in transonic regime?
How much bigger could Earth be, before rockets would't work?What is the typical mach number at which the peak dynamic pressure occurs?Is it possible to calculate Max-Q without having to input an altitudeWhy are Europe’s Air & Space Academy and DLR urging ESA and CNES to reconsider the use of solid fuels for the proposed Ariane 6?Why are there no more Delta II rockets?SpaceX Falcon 9 landing leg deployment timeWhat's the first recorded use of a countdown associated with a rocket launch?Can planet Earthtoo put a Tooian in orbit too?Why do some rockets not ignite all their engines during liftoff? (GSLV MK3 LV)Why is (conventional) ramjet not used for 2nd stage of rocket propulsion?Why are some rockets orange?Understanding Coefficient of Drag Verses Mach Number for Launch VehiclesWhy rockets are not tossed up before launch
$begingroup$
Is there any reason why the maximum dynamic pressure should not occur in the transonic regime.
It is clear from this answer that the max-Q for various rockets occur outside the transonic region
Do the rocket scientists design the launch in a way that the max-Q always occur outside transonic region?
rockets mission-design
$endgroup$
add a comment |
$begingroup$
Is there any reason why the maximum dynamic pressure should not occur in the transonic regime.
It is clear from this answer that the max-Q for various rockets occur outside the transonic region
Do the rocket scientists design the launch in a way that the max-Q always occur outside transonic region?
rockets mission-design
$endgroup$
add a comment |
$begingroup$
Is there any reason why the maximum dynamic pressure should not occur in the transonic regime.
It is clear from this answer that the max-Q for various rockets occur outside the transonic region
Do the rocket scientists design the launch in a way that the max-Q always occur outside transonic region?
rockets mission-design
$endgroup$
Is there any reason why the maximum dynamic pressure should not occur in the transonic regime.
It is clear from this answer that the max-Q for various rockets occur outside the transonic region
Do the rocket scientists design the launch in a way that the max-Q always occur outside transonic region?
rockets mission-design
rockets mission-design
edited 2 hours ago
peterh
1,93111531
1,93111531
asked 5 hours ago
Vasanth CVasanth C
558112
558112
add a comment |
add a comment |
3 Answers
3
active
oldest
votes
$begingroup$
Max-Q is a function of both altitude and velocity. There isn't any reason in particular that it needs to fall at a particular Mach number. It's just the point at which the rate that atmospheric density is falling outpaces the rate at which the square of the velocity is increasing. Nothing more.
$endgroup$
add a comment |
$begingroup$
Here's a very simple model of a Faux Falcon 9 launched vertically, with no turn towards horizontal. That doesn't matter so much at the altitude at max-Q but the final altitude at MECO is higher than in the videos because it hasn't turned towards horizontal. There are several simplifications, but it should reproduce most things in a qualitative way.
The final velocity is a little high but that may be related to the model not throttling back near max Q, or to other approximations.
I chose a scale height model for density $rho(h) = rho_0 exp(-h/h_{scale})$ and a trans-sonic drag coefficient $C_D$ of 0.6 (from here) which matters mostly near mach 1 when max-Q is happening. I assumed the first stage fuel is 70% of the total launch mass of 550,000 kg.
Answer: Max-Q happens around mach 1 because the Earth's atmosphere and gravity and structural materials are what they are. Rockets are designed to make due with our atmosphere and gravity to get the most mass to orbit or beyond, with the caveat that they don't fall apart under crushing forces at max-Q.
If we lived on a planet with a lower surface pressure, it would happen earlier. If we lived on planet with different mass or diameter, that would affect both gravity on the rocket and the scale height, and max-Q would also happen earlier or later.
Luckily we don't live here!
def deriv(X, t):
h, v = X
acc_g = -GMe / (h + Re)**2
m = m0 - mdot * t
acc_t = vex * mdot / m
rho = rho0 * np.exp(-h/h_scale)
acc_d = -0.5 * rho * v**2 * CD * A / m
return [v, acc_g + acc_t + acc_d]
import numpy as np
import matplotlib.pyplot as plt
from scipy.integrate import odeint as ODEint
Re = 6378137. # meters
GMe = 3.986E+14 # m^3/s^2
rho0 = 1.3 # kg/m3
h_scale = 8500. # meters
# faux falcon-9 FT
vex = 3600. # m/s
tburn = 160. # sec
m0 = 550000. # kg
mdot = m0 * 0.70 / tburn # kg/s
CD = 0.6
A = np.pi * (0.5*3.66)**2 # m^2
times = np.arange(0, tburn+1, 1) # sec
X0 = np.zeros(2) # initial state vector
answer, info = ODEint(deriv, X0, times, full_output=True)
h, v = answer.T
hkm = 0.001 * h
vkph = 3.6 * v
mach = v / 330. # roughly
rho = rho0 * np.exp(-h/h_scale)
Q = 0.5 * rho * v**2
if True:
plt.figure()
plt.subplot(2, 2, 1)
things = (hkm, vkph, mach, rho, Q)
names = ('height (km)', 'velocity (km/h)', 'mach', 'density (kg/m^3)', 'Q')
for i, (thing, name) in enumerate(zip(things, names)):
plt.subplot(5, 1, i+1)
plt.plot(times, thing)
if i == 2:
plt.ylim(0, 3)
plt.plot(times, np.ones_like(times), '-k')
llim, ulim = plt.ylim()
plt.text(5, 0.7*ulim, name)
plt.xlabel('time (sec)', fontsize=16)
plt.show()
$endgroup$
add a comment |
$begingroup$
No. Rockets need to be optimized for various, contradicting requirements:
- Minimal mass of the hull ($rightarrow$ should be so weak as possible)
- Aerodynamics of the hull in sub-sonical regime
- Aerodynamics of the hull in supersonical regime (very different from the sub-sonical aerodynamics)
- Minimal gravity loss ($rightarrow$ it needs to get to orbit quickly)
- Minimal aerodynamical loss ($rightarrow$ should not fly too quickly in dense athmosphere)
The planned trajectory of the vehicle is a compromise between them.
There is no direct reason to close out a sub-sonical max-Q. It simply didn't happen on engineering optimization reasons until now.
$endgroup$
add a comment |
Your Answer
StackExchange.ifUsing("editor", function () {
return StackExchange.using("mathjaxEditing", function () {
StackExchange.MarkdownEditor.creationCallbacks.add(function (editor, postfix) {
StackExchange.mathjaxEditing.prepareWmdForMathJax(editor, postfix, [["$", "$"], ["\\(","\\)"]]);
});
});
}, "mathjax-editing");
StackExchange.ready(function() {
var channelOptions = {
tags: "".split(" "),
id: "508"
};
initTagRenderer("".split(" "), "".split(" "), channelOptions);
StackExchange.using("externalEditor", function() {
// Have to fire editor after snippets, if snippets enabled
if (StackExchange.settings.snippets.snippetsEnabled) {
StackExchange.using("snippets", function() {
createEditor();
});
}
else {
createEditor();
}
});
function createEditor() {
StackExchange.prepareEditor({
heartbeatType: 'answer',
autoActivateHeartbeat: false,
convertImagesToLinks: false,
noModals: true,
showLowRepImageUploadWarning: true,
reputationToPostImages: null,
bindNavPrevention: true,
postfix: "",
imageUploader: {
brandingHtml: "Powered by u003ca class="icon-imgur-white" href="https://imgur.com/"u003eu003c/au003e",
contentPolicyHtml: "User contributions licensed under u003ca href="https://creativecommons.org/licenses/by-sa/3.0/"u003ecc by-sa 3.0 with attribution requiredu003c/au003e u003ca href="https://stackoverflow.com/legal/content-policy"u003e(content policy)u003c/au003e",
allowUrls: true
},
noCode: true, onDemand: true,
discardSelector: ".discard-answer"
,immediatelyShowMarkdownHelp:true
});
}
});
Sign up or log in
StackExchange.ready(function () {
StackExchange.helpers.onClickDraftSave('#login-link');
});
Sign up using Google
Sign up using Facebook
Sign up using Email and Password
Post as a guest
Required, but never shown
StackExchange.ready(
function () {
StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fspace.stackexchange.com%2fquestions%2f34449%2fwhy-is-that-max-q-doesnt-occur-in-transonic-regime%23new-answer', 'question_page');
}
);
Post as a guest
Required, but never shown
3 Answers
3
active
oldest
votes
3 Answers
3
active
oldest
votes
active
oldest
votes
active
oldest
votes
$begingroup$
Max-Q is a function of both altitude and velocity. There isn't any reason in particular that it needs to fall at a particular Mach number. It's just the point at which the rate that atmospheric density is falling outpaces the rate at which the square of the velocity is increasing. Nothing more.
$endgroup$
add a comment |
$begingroup$
Max-Q is a function of both altitude and velocity. There isn't any reason in particular that it needs to fall at a particular Mach number. It's just the point at which the rate that atmospheric density is falling outpaces the rate at which the square of the velocity is increasing. Nothing more.
$endgroup$
add a comment |
$begingroup$
Max-Q is a function of both altitude and velocity. There isn't any reason in particular that it needs to fall at a particular Mach number. It's just the point at which the rate that atmospheric density is falling outpaces the rate at which the square of the velocity is increasing. Nothing more.
$endgroup$
Max-Q is a function of both altitude and velocity. There isn't any reason in particular that it needs to fall at a particular Mach number. It's just the point at which the rate that atmospheric density is falling outpaces the rate at which the square of the velocity is increasing. Nothing more.
answered 4 hours ago
TristanTristan
10.5k13654
10.5k13654
add a comment |
add a comment |
$begingroup$
Here's a very simple model of a Faux Falcon 9 launched vertically, with no turn towards horizontal. That doesn't matter so much at the altitude at max-Q but the final altitude at MECO is higher than in the videos because it hasn't turned towards horizontal. There are several simplifications, but it should reproduce most things in a qualitative way.
The final velocity is a little high but that may be related to the model not throttling back near max Q, or to other approximations.
I chose a scale height model for density $rho(h) = rho_0 exp(-h/h_{scale})$ and a trans-sonic drag coefficient $C_D$ of 0.6 (from here) which matters mostly near mach 1 when max-Q is happening. I assumed the first stage fuel is 70% of the total launch mass of 550,000 kg.
Answer: Max-Q happens around mach 1 because the Earth's atmosphere and gravity and structural materials are what they are. Rockets are designed to make due with our atmosphere and gravity to get the most mass to orbit or beyond, with the caveat that they don't fall apart under crushing forces at max-Q.
If we lived on a planet with a lower surface pressure, it would happen earlier. If we lived on planet with different mass or diameter, that would affect both gravity on the rocket and the scale height, and max-Q would also happen earlier or later.
Luckily we don't live here!
def deriv(X, t):
h, v = X
acc_g = -GMe / (h + Re)**2
m = m0 - mdot * t
acc_t = vex * mdot / m
rho = rho0 * np.exp(-h/h_scale)
acc_d = -0.5 * rho * v**2 * CD * A / m
return [v, acc_g + acc_t + acc_d]
import numpy as np
import matplotlib.pyplot as plt
from scipy.integrate import odeint as ODEint
Re = 6378137. # meters
GMe = 3.986E+14 # m^3/s^2
rho0 = 1.3 # kg/m3
h_scale = 8500. # meters
# faux falcon-9 FT
vex = 3600. # m/s
tburn = 160. # sec
m0 = 550000. # kg
mdot = m0 * 0.70 / tburn # kg/s
CD = 0.6
A = np.pi * (0.5*3.66)**2 # m^2
times = np.arange(0, tburn+1, 1) # sec
X0 = np.zeros(2) # initial state vector
answer, info = ODEint(deriv, X0, times, full_output=True)
h, v = answer.T
hkm = 0.001 * h
vkph = 3.6 * v
mach = v / 330. # roughly
rho = rho0 * np.exp(-h/h_scale)
Q = 0.5 * rho * v**2
if True:
plt.figure()
plt.subplot(2, 2, 1)
things = (hkm, vkph, mach, rho, Q)
names = ('height (km)', 'velocity (km/h)', 'mach', 'density (kg/m^3)', 'Q')
for i, (thing, name) in enumerate(zip(things, names)):
plt.subplot(5, 1, i+1)
plt.plot(times, thing)
if i == 2:
plt.ylim(0, 3)
plt.plot(times, np.ones_like(times), '-k')
llim, ulim = plt.ylim()
plt.text(5, 0.7*ulim, name)
plt.xlabel('time (sec)', fontsize=16)
plt.show()
$endgroup$
add a comment |
$begingroup$
Here's a very simple model of a Faux Falcon 9 launched vertically, with no turn towards horizontal. That doesn't matter so much at the altitude at max-Q but the final altitude at MECO is higher than in the videos because it hasn't turned towards horizontal. There are several simplifications, but it should reproduce most things in a qualitative way.
The final velocity is a little high but that may be related to the model not throttling back near max Q, or to other approximations.
I chose a scale height model for density $rho(h) = rho_0 exp(-h/h_{scale})$ and a trans-sonic drag coefficient $C_D$ of 0.6 (from here) which matters mostly near mach 1 when max-Q is happening. I assumed the first stage fuel is 70% of the total launch mass of 550,000 kg.
Answer: Max-Q happens around mach 1 because the Earth's atmosphere and gravity and structural materials are what they are. Rockets are designed to make due with our atmosphere and gravity to get the most mass to orbit or beyond, with the caveat that they don't fall apart under crushing forces at max-Q.
If we lived on a planet with a lower surface pressure, it would happen earlier. If we lived on planet with different mass or diameter, that would affect both gravity on the rocket and the scale height, and max-Q would also happen earlier or later.
Luckily we don't live here!
def deriv(X, t):
h, v = X
acc_g = -GMe / (h + Re)**2
m = m0 - mdot * t
acc_t = vex * mdot / m
rho = rho0 * np.exp(-h/h_scale)
acc_d = -0.5 * rho * v**2 * CD * A / m
return [v, acc_g + acc_t + acc_d]
import numpy as np
import matplotlib.pyplot as plt
from scipy.integrate import odeint as ODEint
Re = 6378137. # meters
GMe = 3.986E+14 # m^3/s^2
rho0 = 1.3 # kg/m3
h_scale = 8500. # meters
# faux falcon-9 FT
vex = 3600. # m/s
tburn = 160. # sec
m0 = 550000. # kg
mdot = m0 * 0.70 / tburn # kg/s
CD = 0.6
A = np.pi * (0.5*3.66)**2 # m^2
times = np.arange(0, tburn+1, 1) # sec
X0 = np.zeros(2) # initial state vector
answer, info = ODEint(deriv, X0, times, full_output=True)
h, v = answer.T
hkm = 0.001 * h
vkph = 3.6 * v
mach = v / 330. # roughly
rho = rho0 * np.exp(-h/h_scale)
Q = 0.5 * rho * v**2
if True:
plt.figure()
plt.subplot(2, 2, 1)
things = (hkm, vkph, mach, rho, Q)
names = ('height (km)', 'velocity (km/h)', 'mach', 'density (kg/m^3)', 'Q')
for i, (thing, name) in enumerate(zip(things, names)):
plt.subplot(5, 1, i+1)
plt.plot(times, thing)
if i == 2:
plt.ylim(0, 3)
plt.plot(times, np.ones_like(times), '-k')
llim, ulim = plt.ylim()
plt.text(5, 0.7*ulim, name)
plt.xlabel('time (sec)', fontsize=16)
plt.show()
$endgroup$
add a comment |
$begingroup$
Here's a very simple model of a Faux Falcon 9 launched vertically, with no turn towards horizontal. That doesn't matter so much at the altitude at max-Q but the final altitude at MECO is higher than in the videos because it hasn't turned towards horizontal. There are several simplifications, but it should reproduce most things in a qualitative way.
The final velocity is a little high but that may be related to the model not throttling back near max Q, or to other approximations.
I chose a scale height model for density $rho(h) = rho_0 exp(-h/h_{scale})$ and a trans-sonic drag coefficient $C_D$ of 0.6 (from here) which matters mostly near mach 1 when max-Q is happening. I assumed the first stage fuel is 70% of the total launch mass of 550,000 kg.
Answer: Max-Q happens around mach 1 because the Earth's atmosphere and gravity and structural materials are what they are. Rockets are designed to make due with our atmosphere and gravity to get the most mass to orbit or beyond, with the caveat that they don't fall apart under crushing forces at max-Q.
If we lived on a planet with a lower surface pressure, it would happen earlier. If we lived on planet with different mass or diameter, that would affect both gravity on the rocket and the scale height, and max-Q would also happen earlier or later.
Luckily we don't live here!
def deriv(X, t):
h, v = X
acc_g = -GMe / (h + Re)**2
m = m0 - mdot * t
acc_t = vex * mdot / m
rho = rho0 * np.exp(-h/h_scale)
acc_d = -0.5 * rho * v**2 * CD * A / m
return [v, acc_g + acc_t + acc_d]
import numpy as np
import matplotlib.pyplot as plt
from scipy.integrate import odeint as ODEint
Re = 6378137. # meters
GMe = 3.986E+14 # m^3/s^2
rho0 = 1.3 # kg/m3
h_scale = 8500. # meters
# faux falcon-9 FT
vex = 3600. # m/s
tburn = 160. # sec
m0 = 550000. # kg
mdot = m0 * 0.70 / tburn # kg/s
CD = 0.6
A = np.pi * (0.5*3.66)**2 # m^2
times = np.arange(0, tburn+1, 1) # sec
X0 = np.zeros(2) # initial state vector
answer, info = ODEint(deriv, X0, times, full_output=True)
h, v = answer.T
hkm = 0.001 * h
vkph = 3.6 * v
mach = v / 330. # roughly
rho = rho0 * np.exp(-h/h_scale)
Q = 0.5 * rho * v**2
if True:
plt.figure()
plt.subplot(2, 2, 1)
things = (hkm, vkph, mach, rho, Q)
names = ('height (km)', 'velocity (km/h)', 'mach', 'density (kg/m^3)', 'Q')
for i, (thing, name) in enumerate(zip(things, names)):
plt.subplot(5, 1, i+1)
plt.plot(times, thing)
if i == 2:
plt.ylim(0, 3)
plt.plot(times, np.ones_like(times), '-k')
llim, ulim = plt.ylim()
plt.text(5, 0.7*ulim, name)
plt.xlabel('time (sec)', fontsize=16)
plt.show()
$endgroup$
Here's a very simple model of a Faux Falcon 9 launched vertically, with no turn towards horizontal. That doesn't matter so much at the altitude at max-Q but the final altitude at MECO is higher than in the videos because it hasn't turned towards horizontal. There are several simplifications, but it should reproduce most things in a qualitative way.
The final velocity is a little high but that may be related to the model not throttling back near max Q, or to other approximations.
I chose a scale height model for density $rho(h) = rho_0 exp(-h/h_{scale})$ and a trans-sonic drag coefficient $C_D$ of 0.6 (from here) which matters mostly near mach 1 when max-Q is happening. I assumed the first stage fuel is 70% of the total launch mass of 550,000 kg.
Answer: Max-Q happens around mach 1 because the Earth's atmosphere and gravity and structural materials are what they are. Rockets are designed to make due with our atmosphere and gravity to get the most mass to orbit or beyond, with the caveat that they don't fall apart under crushing forces at max-Q.
If we lived on a planet with a lower surface pressure, it would happen earlier. If we lived on planet with different mass or diameter, that would affect both gravity on the rocket and the scale height, and max-Q would also happen earlier or later.
Luckily we don't live here!
def deriv(X, t):
h, v = X
acc_g = -GMe / (h + Re)**2
m = m0 - mdot * t
acc_t = vex * mdot / m
rho = rho0 * np.exp(-h/h_scale)
acc_d = -0.5 * rho * v**2 * CD * A / m
return [v, acc_g + acc_t + acc_d]
import numpy as np
import matplotlib.pyplot as plt
from scipy.integrate import odeint as ODEint
Re = 6378137. # meters
GMe = 3.986E+14 # m^3/s^2
rho0 = 1.3 # kg/m3
h_scale = 8500. # meters
# faux falcon-9 FT
vex = 3600. # m/s
tburn = 160. # sec
m0 = 550000. # kg
mdot = m0 * 0.70 / tburn # kg/s
CD = 0.6
A = np.pi * (0.5*3.66)**2 # m^2
times = np.arange(0, tburn+1, 1) # sec
X0 = np.zeros(2) # initial state vector
answer, info = ODEint(deriv, X0, times, full_output=True)
h, v = answer.T
hkm = 0.001 * h
vkph = 3.6 * v
mach = v / 330. # roughly
rho = rho0 * np.exp(-h/h_scale)
Q = 0.5 * rho * v**2
if True:
plt.figure()
plt.subplot(2, 2, 1)
things = (hkm, vkph, mach, rho, Q)
names = ('height (km)', 'velocity (km/h)', 'mach', 'density (kg/m^3)', 'Q')
for i, (thing, name) in enumerate(zip(things, names)):
plt.subplot(5, 1, i+1)
plt.plot(times, thing)
if i == 2:
plt.ylim(0, 3)
plt.plot(times, np.ones_like(times), '-k')
llim, ulim = plt.ylim()
plt.text(5, 0.7*ulim, name)
plt.xlabel('time (sec)', fontsize=16)
plt.show()
edited 3 hours ago
answered 3 hours ago
uhohuhoh
36.8k18132472
36.8k18132472
add a comment |
add a comment |
$begingroup$
No. Rockets need to be optimized for various, contradicting requirements:
- Minimal mass of the hull ($rightarrow$ should be so weak as possible)
- Aerodynamics of the hull in sub-sonical regime
- Aerodynamics of the hull in supersonical regime (very different from the sub-sonical aerodynamics)
- Minimal gravity loss ($rightarrow$ it needs to get to orbit quickly)
- Minimal aerodynamical loss ($rightarrow$ should not fly too quickly in dense athmosphere)
The planned trajectory of the vehicle is a compromise between them.
There is no direct reason to close out a sub-sonical max-Q. It simply didn't happen on engineering optimization reasons until now.
$endgroup$
add a comment |
$begingroup$
No. Rockets need to be optimized for various, contradicting requirements:
- Minimal mass of the hull ($rightarrow$ should be so weak as possible)
- Aerodynamics of the hull in sub-sonical regime
- Aerodynamics of the hull in supersonical regime (very different from the sub-sonical aerodynamics)
- Minimal gravity loss ($rightarrow$ it needs to get to orbit quickly)
- Minimal aerodynamical loss ($rightarrow$ should not fly too quickly in dense athmosphere)
The planned trajectory of the vehicle is a compromise between them.
There is no direct reason to close out a sub-sonical max-Q. It simply didn't happen on engineering optimization reasons until now.
$endgroup$
add a comment |
$begingroup$
No. Rockets need to be optimized for various, contradicting requirements:
- Minimal mass of the hull ($rightarrow$ should be so weak as possible)
- Aerodynamics of the hull in sub-sonical regime
- Aerodynamics of the hull in supersonical regime (very different from the sub-sonical aerodynamics)
- Minimal gravity loss ($rightarrow$ it needs to get to orbit quickly)
- Minimal aerodynamical loss ($rightarrow$ should not fly too quickly in dense athmosphere)
The planned trajectory of the vehicle is a compromise between them.
There is no direct reason to close out a sub-sonical max-Q. It simply didn't happen on engineering optimization reasons until now.
$endgroup$
No. Rockets need to be optimized for various, contradicting requirements:
- Minimal mass of the hull ($rightarrow$ should be so weak as possible)
- Aerodynamics of the hull in sub-sonical regime
- Aerodynamics of the hull in supersonical regime (very different from the sub-sonical aerodynamics)
- Minimal gravity loss ($rightarrow$ it needs to get to orbit quickly)
- Minimal aerodynamical loss ($rightarrow$ should not fly too quickly in dense athmosphere)
The planned trajectory of the vehicle is a compromise between them.
There is no direct reason to close out a sub-sonical max-Q. It simply didn't happen on engineering optimization reasons until now.
answered 1 hour ago
peterhpeterh
1,93111531
1,93111531
add a comment |
add a comment |
Thanks for contributing an answer to Space Exploration Stack Exchange!
- Please be sure to answer the question. Provide details and share your research!
But avoid …
- Asking for help, clarification, or responding to other answers.
- Making statements based on opinion; back them up with references or personal experience.
Use MathJax to format equations. MathJax reference.
To learn more, see our tips on writing great answers.
Sign up or log in
StackExchange.ready(function () {
StackExchange.helpers.onClickDraftSave('#login-link');
});
Sign up using Google
Sign up using Facebook
Sign up using Email and Password
Post as a guest
Required, but never shown
StackExchange.ready(
function () {
StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fspace.stackexchange.com%2fquestions%2f34449%2fwhy-is-that-max-q-doesnt-occur-in-transonic-regime%23new-answer', 'question_page');
}
);
Post as a guest
Required, but never shown
Sign up or log in
StackExchange.ready(function () {
StackExchange.helpers.onClickDraftSave('#login-link');
});
Sign up using Google
Sign up using Facebook
Sign up using Email and Password
Post as a guest
Required, but never shown
Sign up or log in
StackExchange.ready(function () {
StackExchange.helpers.onClickDraftSave('#login-link');
});
Sign up using Google
Sign up using Facebook
Sign up using Email and Password
Post as a guest
Required, but never shown
Sign up or log in
StackExchange.ready(function () {
StackExchange.helpers.onClickDraftSave('#login-link');
});
Sign up using Google
Sign up using Facebook
Sign up using Email and Password
Sign up using Google
Sign up using Facebook
Sign up using Email and Password
Post as a guest
Required, but never shown
Required, but never shown
Required, but never shown
Required, but never shown
Required, but never shown
Required, but never shown
Required, but never shown
Required, but never shown
Required, but never shown