A house put has concrete stairs leading down to the garage. how much is the concerte is the needed to make stairs

Answers

Answer 1

The amount of concrete needed to make stairs depends on the dimensions and design of the stairs.

How can you calculate the amount of concrete needed for the stairs?

To calculate the amount of concrete needed for the stairs, you need to consider the dimensions of the stairs and the specific design elements. Here's a step-by-step process:

1. Measure the dimensions: Measure the width, height, and depth of each individual stair tread (the horizontal part) and riser (the vertical part). Also, measure the number of stairs in total.

2. Calculate the volume: To find the volume of concrete required, multiply the width, height, and depth of each step. Then, sum up the volumes of all the steps.

3. Account for the risers: Multiply the height and depth of each riser and sum up the results.

4. Include the landing: If there is a landing at the top or bottom of the stairs, measure its dimensions and calculate its volume separately.

5. Add it all up: Sum the volumes obtained from steps, risers, and landings to find the total volume of concrete needed.

Learn more about dimensions

brainly.com/question/31460047

#SPJ11


Related Questions

in an air-standard gas turbine cycle the air enters the compressor at 0.12 mpa at 25 c and leaving at a pressure 1.0 mpa. the maximum temperature is 1200 c. assume a compressor efficiency of 90%, a turbine efficiency of 92%, and a regenerator effectiveness of 85%. (a) determine the compressor work, turbine work, heat addition in combustion chamber, and cycle efficiency. if net power output is 5mw, what are the ratings (total energy transfer) of each of components. (b) what is the exergy of the exhaust at the outlet of the regenerator?

Answers

Answer:

can be found in the service manual for the specific vehicle being serviced.

what type of road should you use to perform a road test

Answers

To perform a road test, you should use a road that is safe, legal, and meets the requirements of the licensing authority in your area.

What road is ideal?

Typically, this would be a public road with a variety of traffic situations, including intersections, curves, hills, and varying speed limits. It is important to choose a road that is in good condition and free of hazards such as construction, poor lighting, or heavy traffic.

Before conducting a road test, ensure that you have the necessary permissions and that you are following all applicable laws and regulations.

Read more about road tests here:

https://brainly.com/question/28743727

#SPJ1

Consider a control volume (OPEN system) in which water (density p-1000 kg/m =const) flows from an inlet port 'in' to an outlet port 'out. The following conditions are known: P-1 bar, C-5 m/s, Pout 200 bar, Cout-10 m/s. The viscous dissipations amount to L-1000 J/kg. Neglect the gravitational potential energy variation. The specific work which is done ON THE SYSTEM is: O (A) 18937.5 J/kg O (B) 20862 5 J/kg O (C) 18862.5 J/kg O (D) 20937.5 J/kg

Answers

The correct answer is option (C): 18862.5 J/kg

To determine the specific work done on the system, we can use Bernoulli's equation for steady, incompressible flow along a streamline. Neglecting the gravitational potential energy variation, Bernoulli's equation can be expressed as:

p/ρ + V²/2 = constant

Using Bernoulli's equation between the inlet and outlet ports of the control volume, the equation becomes:

p1/ρ + C1²/2 = p2/ρ + C2²/2 + L

Given the values of inlet pressure (P), inlet velocity (C), outlet pressure (Pout), outlet velocity (Cout), and viscous dissipations (L), we can substitute them into the equation and solve for L:

1/1000 + 5²/2 = 200/1000 + (-10)²/2 + L/1000

Simplifying the equation gives L = 1000 J/kg.

The specific work done on the system is calculated using the formula:

W = (Pout - P)/ρ + (Cout² - C²)/2 - L/ρ

Substituting the given values, we get:

W = (200 - 1)/1000 + ((-10)² - 5²)/2 - 1000/1000

Simplifying further, we find W = -3.5625 kJ/kg. Multiplying this by 1000, we obtain the specific work done on the system as 18862.5 J/kg.

Therefore, the correct option is (C) 18862.5 J/kg.

Learn more about specific work done on the system:

https://brainly.com/question/30531335

#SPJ11

in c the square root of a number N can be approximated by repeated calculation using the formula NG = 0.5(LG + N/LG) where NG stands for next guess and LG stands for last guess. Write a function that calculates the square root of a number using this method. The initial guess will be the starting value of LG. The program will com- pute a value for NG using the formula given. The difference between NG and LG is checked to see whether these two guesses are almost identical. If they are, NG is accepted as the square root; otherwise, the next guess (NG) becomes the last guess (LG) and the process is repeated (another value is computed for NG, the difference is checked, and so on). The loop should be repeated until the difference is less than 0. 005. Use an initial guess of 1. 0. Write a driver function and test your square root function for the numbers 4, 120. 5, 88, 36.01, 10,000, and 0. 25
PLEASE İN C PROGRAMMİNG

Answers

Answer:

Following are the program to the given question:

#include <stdio.h>//header file

double square_root(double N, double initialGuess)//defining a method square_root that takes two variable in parameters

{

double NG, LG = initialGuess,diff;//defining double variable

while(1)//use loop to calculate square root value

{

NG = 0.5 * (LG + N / LG);//using given formula

diff = NG - LG;//calculating difference

if(diff < 0)//use if to check difference is less than 0

diff = -diff;//decreaing difference

if(diff < 0.005)//use if that check difference is less than 0.005

break;//using break keyword  

else//defining else block

{

LG = NG;//holding value

}

}

return NG;//return value

}

int main()//defining main method

{

double ans, n,initialguess = 1.0;//defining double variable

n = 4;//use n to hold value

ans = square_root(n, initialguess);//calculating the square root value and print its value

printf("square_root(%lf) = %lf \n", n, ans);//print calculated value with number

n = 120.5;//use n to hold value

ans = square_root(n, initialguess);//calculating the square root value and print its value

printf("square_root(%lf) = %lf \n", n, ans);//print calculated value with number

n = 36.01;//use n to hold value

ans = square_root(n, initialguess);//calculating the square root value and print its value

printf("square_root(%lf) = %lf \n", n, ans);//print calculated value with number

n = 0.25;//use n to hold value

ans = square_root(n, initialguess);//calculating the square root value and print its value

printf("square_root(%lf) = %lf \n", n, ans);//print calculated value with number

printf("\nEnter a number: ");//print message

scanf("%lf", &n);//input value

ans = square_root(n, initialguess);//calculating the square root value and print its value

printf("square_root(%lf) = %lf \n", n, ans);//print calculated value with number

}

Output:

Please find the attachment file.

Explanation:

In this code, a method "square_root" is declared that takes two variable "N, initialGuess" in its parameters, inside the method a three double variable is declared.It uses the given formula and uses the diff variable to hold its value and uses two if to check its value is less than 0 and 0.005 and return its calculated value.In the main method, three double variables are declared that use the "n" to hold value and "ans" to call the method that holds its value and print its value.
in c the square root of a number N can be approximated by repeated calculation using the formula NG =

Find the ratio of the volume generated when the curve 25x^{2} - 16y^{2} + 700xy = 400 makes a half revolution about its directrix and when it makes a full revolution about the line connecting its foci.

Answers

To find the ratio of the volume generated by the curve 25x² - 16y² + 700xy = 400, we can start with the formula for calculating the volume of revolution about the axis of symmetry:

V = π * ∫[a, b] [(f(x))² dx]

Case 1: Half revolution about the directrix 700xy = 400 - 25x² + 16y² ---(1)

The directrix of the parabola is given by y = -(b²/a), where a is the distance from the vertex to the focus and b is the distance from the vertex to the directrix.

Here, a² = (400/25) = 16 and b = 7, which gives the directrix as y = -49/16.

The axis of symmetry is given by x = 0. Using the standard formula, the curve is given by y = (1/700) (400 - 25x²)/(16/7).

We need to calculate the integral ∫[-a, a] [(y)² dx], which is equal to 2∫[0, a] [(y)² dx].

On substituting the value of y, we get:

V = π * (2/700²) ∫[0, a] [(400 - 25x²)/(16/7)]² dx = π * 0.0681

Case 2: Full revolution about the line connecting its foci

700xy = 400 - 25x² + 16y² ---(2)

We can rewrite equation (2) as y² = (4/25)x² - (7/25)x + 1.

The vertices of this hyperbola are (5/2, 0) and (-5/2, 0).

The foci of the hyperbola can be found using the formula c² = a² + b², where c is the distance from the center of the hyperbola to the foci and a and b are the semi-axes of the hyperbola. Here, a = 5/2 and b = √(1 + (7/25)²) = 24/5. This gives c = √((25/4) + (24/5)²) = 17/4.

The line connecting the foci is given by x = (c/b)y.

Let P be a point (x, y) on the hyperbola. The distance from the point to the line connecting the foci is given by (2a²/c) * sqrt((c/b)y - x + (a/c)²).

Using the distance formula, we get 25x² - 16y² = (1/196) [(34y/5) - x]².

We need to calculate the integral ∫[-a, a] [(y)² dx], which is equal to 2∫[0, a] [(y)² dx].

On substituting the value of y, we get:

V = π * (2/1225²) ∫[0, 5] [(34y/5 - 25y²/4)]² dy = π * 3.35 x 10⁻⁴

Hence, the ratio of the volumes is given by V₂/V₁ = 0.0681/3.35 x 10⁻⁴.

To know more about revolution visit:

https://brainly.com/question/29158976

#SPJ11

Ideally, science
A. Always has the right answers
B. Tells us what we expected to find
C. Uses new technology
D. Is orderly and methodical
E. Proves that our hypotheses are correct

Answers

D. Is orderly and methodical.

Science is a systematic and logical approach to discovering how the world works. It involves gathering empirical evidence through observation and experimentation, formulating hypotheses to explain the data, and testing those hypotheses through further experimentation and observation. This process is characterized by a rigorous adherence to methodological principles and a commitment to constantly refining our understanding of the natural world. While science can lead to new technologies and often produces useful and practical applications, its primary goal is to generate reliable knowledge about the world around us, rather than simply confirming preconceived notions or proving hypotheses correct. Thus, while science is not infallible and may not always have the right answers, its systematic approach is what distinguishes it from other ways of knowing.

Learn more about orderly here:

https://brainly.com/question/1836518

#SPJ4

engineers are desiging a box shaped aquarium iwth a square bottome and an open top the aquarium must hold 500ft^3 of water. what dimiensions should rthey use to create and acceptable aquarum with the least amount oif glass

Answers

The engineers should use dimensions of approximately 8.93 ft by 8.93 ft by 6.67 ft to create an acceptable aquarium with the least amount of glass.

To minimize the amount of glass used in the aquarium, the engineers should choose dimensions that minimize the surface area of the aquarium while still holding 500 ft^3 of water.

Since the aquarium has a square bottom, let x be the length of one side of the bottom, and let h be the height of the aquarium. Then the volume of the aquarium is given by:

V = x^2 h

We want to find the values of x and h that satisfy the constraint V = 500 ft^3 and minimize the surface area of the aquarium. The surface area of the aquarium is given by:

A = x^2 + 4xh

To minimize A subject to the constraint V = 500 ft^3, we can use the method of Lagrange multipliers. The Lagrangian function is:

L(x,h,λ) = x^2 + 4xh + λ(500 - x^2 h)

Setting the partial derivatives of L with respect to x, h, and λ equal to zero, we get:

2x + 4h - λx^2 = 0

4x - λx^2 = 0

500 - x^2 h = 0

From the second equation, we get:

λ = 4/x

Substituting this into the first equation, we get:

2x + 4h - (4/x)x^2 = 0

Simplifying, we get:

x^3 + 2hx - 1000 = 0

We can solve this equation for x numerically using a calculator or computer program. The positive solution is:

x ≈ 8.93 ft

Substituting this back into the third equation, we get:

h ≈ 6.67 ft

Therefore, the engineers should use dimensions of approximately 8.93 ft by 8.93 ft by 6.67 ft to create an acceptable aquarium with the least amount of glass.

Learn more about dimensions of an aquarium:

https://brainly.com/question/24357711

#SPj4

This might count as engineering, I'm not sure as this is IT



An ordered collection of data elements stored and accessed in a program is called what?
Group of answer choices

Variables

List

Locale

Parameters

Answers

Answer:

10.5

Explanation:

Convert to an equation for example P%* X=Y

P is 7.5% X is 140, so the equation Is 7.5 percent * 14= Y

convert 7.5% Into a decimal by removing the percent sign and deviding by 7.5/100= 0.075

Substitute 0.075 for 7.5% in the equation: 7.5%*140=Y becomes 0.075*140= 10.5

Choose Odd one out of the options ?
A) PSRQ
B) SVUT
C) MNPO
D) KNML

Answers

C is the odd one out

Using the correlation for the second virial coefficient (Pitzer correlation), find the molar volume of acetylene vapour at 247.1 K and 13.5 bar, giving your answer to the nearest cm3/mol. The critical temperature is 308.3 K and the critical pressure of acetylene is 61.39 bar. Take R = 8.314 J/mol-K and the acentric factor for acetylene is 0.187.

Answers

The molar volume of acetylene vapor at 247.1 K and 13.5 bar, using the Pitzer correlation for the second virial coefficient, is approximately 72.5 cm3/mol.

Explanation:

The Pitzer correlation can be used to estimate the second virial coefficient of a gas. The equation is given by B = (RTc)/(Pc) * (1 + m(1 - (T/Tc)^(0.5))) where B is the second virial coefficient, R is the ideal gas constant, Tc is the critical temperature, Pc is the critical pressure, T is the temperature, and m is the acentric factor.

Plugging in the given values and solving for B, we get B = -0.009413 m3/mol. Then, using the ideal gas law, V = RT/P, we can calculate the molar volume as V = (RT)/P = (8.314 J/mol-K * 247.1 K) / (13.5 bar * 10^5 Pa/bar) ≈ 0.0725 m3/mol ≈ 72.5 cm3/mol.

Learn more about the Pitzer correlation here:

https://brainly.com/question/16201302

#SPJ11

A business owned by one people is a

Answers

Answer:

A sole proprietorship, also known as the sole trader, individual entrepreneurship or proprietorship, is a type of enterprise that is owned and run by one person and in which there is no legal distinction between the owner and the business entity.

Explanation:

Answer:

A business owned by one people is a-Sole proprietorship

Explanation:

This is correct i did it for my electives class which was career reaserch and decision making.

brainliest?

New, derived traits of human evolution over the past five million years include all of the following. except: O encephalization O lack of body hair O reduced sexual dimorphism O elon

Answers

New, derived traits of human evolution over the past five million years include all of the following except: elongation. The correct answer to the given question is option D .

Derived traits are new traits that have been passed down to a given organism by their ancestors. Some of the derived traits of human evolution over the past five million years include:

Encephalization: Encephalization is the evolutionary trend of brain size increasing relative to body size over geological time in a lineage. This evolutionary trend was observed in the human lineage.

Lack of body hair: One of the derived traits of human evolution is the lack of body hair. Humans have a far less dense body hair than other apes and primates. The loss of body hair facilitated an increase in sweat gland density, which helps us regulate our body temperature.

Reduced sexual dimorphism: The reduced differences between the sexes in size and appearance over time in a given population is referred to as reduced sexual dimorphism.

Elongation: Elongation is not a derived trait of human evolution over the past five million years, so it is the correct answer.

For more such questions on human evolution, click on:

#SPJ8

An electrical contractor employs 16 people. Five people earn $15 per hour, four people earn $17 per hour, and the remaining people earn $16 per hour. What is the total hourly wage earned by all 16 people

Answers

Answer:

$255 per hour

Explanation:

Total number of employed people = 16

(i) 5 people earn $15 per hour

That means that the total amount earned by those 5 is;

5 x $15 = $75 per hour

(ii) 4 people earn $17 per hour

That means that the total amount earned by those 4 is;

4 x $17 = $68 per hour

(iii) The remaining people earn $16 per hour.

There are 7 people remaining. i.e

16 - 5 - 4 = 7

That means that the total amount earned by those remaining (7) is;

7 x $16 = $112 per hour

The total hourly wage is therefore the sum of all the results in i, ii and iii. i.e

Total = $75 + $68 + $112

Total = $255

Therefore, the total hourly wage earned by all 16 people is $255

Outline how the technological innovations of the Renaissance led to the Industrial Age.

Answers

Answer:

Printing press , lenses etc,

Explanation:

Almost all of the Renaissance innovations that influenced the world, printing press was one of them. The printing press is widely regarded as the Renaissance's most significant innovation. The press was invented by Johannes Gutenberg, and Germany's culture was altered forever.

Astrophysics, humanist psychology, the printed word, vernacular vocabulary of poetry, drawing, and sculpture practice are only a few of the Renaissance's main inventions.

22. what are chemical engineers studying when they are looking at the way materials relate to each other?

a) how to distinguish their properties
b) whether they are in the same group
c) whether they are compounds
d) how they interact with each other

Answers

The step that should be taken by chemical engineers when they found the materials relate to each other is identify how they interact with each other. Materials science is a field of study that focuses on the properties and behavior of materials.

Chemical engineers study how materials interact with each other and how these interactions can be used to design, create, and optimize chemical processes and products. They use this knowledge to design and develop new products, improve existing products and processes, and solve problems in a variety of industries, including pharmaceuticals, energy, food and agriculture, and more.

Learn more about study material: https://brainly.com/question/9177467

#SPJ4

assign number_segments with phone_number split by the hyphens. sample output from given program:

Answers

In Python, to split a string by a specific character, we can use the split() method.

In this case, we want to split the phone number by the hyphens. Here's an example program:
phone_number = "123-456-7890"
number_segments = phone_number.split("-")
print(number_segments)
The output of this program would be:
['123', '456', '7890']
As you can see, the split() method has split the phone number into three segments, separated by the hyphens. These segments are now stored in a list, which is assigned to the variable number_segments.

The split() function is a method in many programming languages that is used to split a string into a list of substrings based on a specified delimiter or separator.

To know more about the coding in Python, visit the link : https://brainly.com/question/13090212

#SPJ11

Why do pre-construction and design specialists typically take an interdisciplinary approach to their work? O to maximize employability options to draw on a varied creative tool set O to integrate well with other team members to understand the methods of the construction team Sign​

Answers

Answer:

There are a few key benefits to a pre-construction and design specialist taking an interdisciplinary approach:

To maximize employability options. Having exposure to different fields and skills makes a specialist a more versatile and attractive job candidate. They can work across multiple areas of design, planning, architecture and construction.

To draw on a varied creative tool set. Exposure to fields like architecture, engineering, economics, sustainability and more provides many perspectives and solutions to tapping into. This leads to more innovative and well-rounded design thinking.

To integrate well with other team members. Understanding the methods, priorities, constraints and languages of fields like architecture, engineering, planning, and construction allows a specialist to collaborate more effectively. They can translate across disciplines and facilitate joined-up thinking.

To understand constraints and optimally balance priorities. No design or pre-construction problem has limitless options. An interdisciplinary approach helps gain insights into the constraints each field operates under and how to optimize solutions across ecological, economic, functional and other priorities.

To consider impacts holistically. Many impacts, like environmental sustainability, cost efficiency and user experience, span multiple disciplines. An interdisciplinary mindset is needed to evaluate options based on overall impact, not just impacts within one area of focus.

Of these options, I believe "To integrate well with other team members" is the strongest summary of why an interdisciplinary approach is so valuable for this type of specialist role. Understanding other fields in depth helps in collaborating, communicating clearly, addressing concerns proactively and finding optimal compromise - all of which are key to successfully interweaving different areas of expertise on a team.

Explanation:

Omg I just got 17/25 questions wrong using this on an Ag test , but got 100’s every time on health

Answers

Answer:

sorry im answering questions for the points cuz im built dfferent

Explanation:

Answer: That happens to me too sometimes. I hate when people give the wrong answers...like if u don't know the answer, then don't respond

If current flowing through a conductor is 10 mA. how many electrons travel through it in 10 s?​

Answers

6.25×10⁻¹⁸ electrons will flow through a copper wire.

What are electrons?

Electrons can be defined as the sum of atomic particles that is the career of negative charge, they are responsible for the chemical property of an element, the electrons are present in the shell.

Use formula ( I = ne/t )

Here,

number of electron

electron =1.6 x 10¯¹9 C

We have a relation between charge and current as

Charge = Current×time i.e

Q = i×t.

Now we have current = 10 amp & time = 10sec from given data.

Therefore charge Q = 10×1 = 100 coulombs.

Again we have a relation between charge and no of electrons

I.e no of electrons= total charge / 1.6×10⁻¹⁹

So, no of electrons = ( 100C/1.6×10⁻¹⁸ )

= 6.25×10⁻¹⁸ electrons.

Therefore, 6.25×10⁻¹⁸ electrons will flow through a copper wire carrying 10 amps current for 10 sec

Learn more about electrons, here:

https://brainly.com/question/1255220

#SPJ1

because septic systems can contaminate ground water if conditions are not optimal, what kind of test must be conducted prior to installing a new septic system?

Answers

To ensure the proper installation of a new septic system and prevent groundwater contamination, a percolation test or a soil test must be conducted prior to installation.

A percolation test, also known as a perc test, assesses the rate at which water can infiltrate the soil. This test helps determine the soil's ability to absorb and filter wastewater from the septic system effectively. During a perc test, holes are dug in the soil, filled with water, and then monitored to measure the rate of water absorption. This information is used to determine the appropriate design and sizing of the septic system based on the soil's percolation rate.

In addition to a percolation test, a soil test is also crucial. A soil test provides information about the soil's composition, texture, permeability, and depth. It helps identify any potential issues that may affect the performance of the septic system, such as high clay content or bedrock near the surface. By analyzing the soil characteristics, the appropriate type of septic system can be selected and designed to match the soil conditions and minimize the risk of groundwater contamination.

Both the percolation test and soil test are essential in assessing the suitability of the soil and determining the most suitable type and size of septic system for a particular site. These tests help ensure that the septic system operates efficiently, treats wastewater effectively, and minimizes the risk of contamination to groundwater sources, protecting both the environment and public health.

Learn more about contamination here

https://brainly.com/question/33367945

#SPJ11

Tests by the byron jackson co. Of a 14. 62-in-diameter centrifugal water pump at 2134 r/min yield the following data: q, ft3/s 0 2 4 6 8 10 h, ft 340 340 340 330 300 220 bhp 135 160 205 255 330 330 what is the bep? what is the specific speed? estimate the maximum discharge possible

Answers

Z≤ -4.852 ft, Maximum efficiency is η≅ 0.88 ≅ 88% is the maximum discharge possible

Solution

Given Data:-

D = 14.62in, N = 2134 rc/min, T=20°C. At T= 20°C ɣ=ρg= 62.35 lb/ft³, vapor pressure. Pv = 49.2 lb/ft².

The efficienies at each flow rate is computal by using formula

η = ρgθH / (550) (bhp)

→ As we can See the maximum efficiency point is at θ = 6ft³/s (close to 6ft³/s)

Maximum efficiency is η≅ 0.88 ≅ 88%

b) Given NPSHR = 16 ft,hg=22ft. Zactual. = 9ft  (below the sea surface)

To avoid cavitation NPSH < Pa - Pv/ρg - Z - hf

Z < Pa - Pv/ρg - hf

Z < 2116 - 49.2/62.35 - 16 - 22 [1 atm = 2116 lb/ft2]

Z≤ -4.852 ft

-> Keeping the pump 9 ft below the surface gives 4.148 ft of marign against cavitation.

Hence it is Sufficient to avoid cavitation.

Learn more about Efficiency here:

https://brainly.com/question/13764250

#SPJ4

What is a solution based process and why is it important to engineering

Answers

Answer:

What is a solution-based process and why it is important in engineering? The solution-based process are steps that engineers follow when they are trying to solve a problem / create a solution for something. It is important because it makes it easier to identify mistakes to solve problems.

Explanation:

The structure of a house is such that it loses heat at a rate of 5400 kJ/h per degree Cdifference between the indoors and outdoors. A heat pump that requires a power input of 6 kW isused to maintain this house at 21 C. Determine the lowest outdoor temperature for which the heatpump can meet the heating requirements of this house

Answers

Answer: Tl = - 13.3°C

the lowest outdoor temperature is - 13.3°C

Explanation:

Given that;

Temperature of Th = 21°C = 21 + 273 = 294 K

the rate at which heat lost is Qh = 5400 kJ/h°C

the power input to heat pump Wnet = 6 kw

The COP of a reversible heat pump depends on the temperature limits in the cycle only, and is determined by;

COPhp = Th/(Th - Tl)

COPhp = Qh/Wnet

Qh/Wnet = Th/(Th -Tl)

the amount of heat loss is expressed as

Qh = 5400/3600(294 - Tl)

the temperature of sink

( 5400/3600(294 - Tl)) / 6 = 294 / ( 294 - Tl)

now solving the equation

Tl = 259.7 - 273

Tl = - 13.3°C

so the lowest outdoor temperature is - 13.3°C

non-BIBO are never used in practice. True/false

Answers

It is false non bibo are used in practice

Evan is building a toy rocket. He wants to fill the rocket with high-pressure water in order to launch it into the air. Which of the following materials would be the best choice for constructing the outside of the rocket?
A.
a cardboard box
B.
a small paper garbage bag
C.
a two-liter plastic bottle
D.
a small plastic garbage bag

Answers

Answer: C. a two-liter plastic bottle

Explanation:
All the other options are all to weak to hold that type of pressure build up and answers A and B would get to soaked by the water.

For the network of Fig. below, draw the output waveform if Vr = 4.3V , R = 1000Omega and Vi=25 sin ot. Assume an Si diode is used. + R D V_{i}; V_{r}; V_{o}

For the network of Fig. below, draw the output waveform if Vr = 4.3V , R = 1000Omega and Vi=25 sin ot.

Answers

56% min then i’ll please reply please follow up the channel link or link link or email to

Consider the following Moore’s law growth pattern (since 1980) for the number of transistors inside a particular commercial microprocessor: N = 1920 x 10 0.1637(Y – 1980) where Y is the year and N is the number of transistors. Assuming sustained Moore’s law growth, what will be the number of transistors in a microprocessor in year 2025? Using the same expression, calculate how many years it will take for the transistor count to increase by 100x

Answers

Answer:

No. of transistors = \($4.1524 \times 10^{10}$\) transistors

Explanation:

Given that:

N = \($1920 \times 10^{0.163(Y-1980)}$\)

Y = 2025

N = \($1920 \times 10^{0.163(2025-1980)}$\)

N = \($4.1524 \times 10^{10}$\) transistors

Now at Y = 1980

Number of transistors N = 1920

Therefore,

\($1000 = 10^{0.163(Y-1980)}$\)

\($\log_{10} 1000=0.163(Y-1980)$\)

\($\frac{3}{0.163}=Y-1980$\)

18 ≅ 18.4 = Y - 1980

Y = 1980 + 18

   = 1998

So, to increase multiples of 1000 transistors. it takes 18 years.

where is the buttock line or buttline of an aircraft

Answers

The buttock line, also known as the buttline, of an aircraft refers to an imaginary line that runs along the longitudinal centerline of the fuselage.

The buttock line is an important reference line used in aircraft design and analysis. It represents the symmetry axis of the aircraft and is often used as a baseline for various measurements and calculations. It serves as a common reference point for determining the position of components, such as the wings, empennage, and engines, in relation to the centerline of the aircraft. The buttock line helps ensure that these components are properly aligned and balanced for optimal aerodynamic performance and stability.

In addition to its use in design and analysis, the buttock line is also relevant in aircraft maintenance and inspection. It aids in locating and identifying structural features and access points along the fuselage, facilitating maintenance activities and ensuring compliance with safety regulations.

Overall, the buttock line is a significant reference line in aircraft design, serving as a baseline for various measurements, calculations, and component positioning. It helps ensure proper alignment, balance, and functionality of the aircraft's components, contributing to its overall performance and safety.

To learn more about aircraft  Click Here: brainly.com/question/32264555

#SPJ11

engineering economics​

engineering economics

Answers

Explanation:

mathematics education grade 7

why are high compression ratios not used in spark-ignition engines?

Answers

Answer:they can cause detonation of the engine

Explanation:Answer and Explanation: High compression ratios are not used in spark-ignition engines as they can cause detonation of the engine. This detonation of an engine is commonly known as knocking. The engine knocking occurs especially when octane-rated fuel is utilized.

High compression ratios are not used in spark-ignition engines because they can cause irregular combustion, such as pre-ignition and knocking, which can reduce efficiency and damage the engine. Pre-ignition is when the fuel-air mixture ignites before the spark plug fires, and knocking is when the mixture detonates unevenly and creates pressure waves that can harm the engine components. These phenomena are more likely to occur when the compression ratio is high because the end-gas temperature and pressure are higher, which increases the reactivity of the mixture. To avoid pre-ignition and knocking, spark-ignition engines need to use high-octane fuels that have higher resistance to auto-ignition. However, high-octane fuels are more expensive and less available than low-octane fuels, which limits the use of high compression ratios in spark-ignition engines. Some possible ways to enable high compression ratios in spark-ignition engines are to use high-pressure gasoline direct injection, which can enhance the air-fuel mixing and flame speed, or to use fuels with high octane sensitivity, which can reduce the end-gas reactivity.

Other Questions
PLS HELP ME THIS IS GEOMETRY PLS HELP 100 POINTS 21x + 121; x= 5Help Me!! ers to any information about a product or an organization that is communicated to the public through the media and is not paid for or controlled by the spon Job Description:BETHPAGE CAMP-RESORT: Assistant Resort ManagerSummary:The Assistant Resort Manager works under the direction of the Resort Manager in the management and optimization of overall resort operations. The Assistant Resort Manager will be a leader and assist all departments daily and directly oversee all assigned departments.Essential Functions:- Be engaged with all resort departments daily providing leadership and assistance to optimize operational efficiency.- Responsible for practicing, supporting and promoting high expectations for professionalism, hospitality and positive guest interactions.- Supervise and direct various guest service departments focused on overnight guest operations.- Supervise and direct the housekeeping and cottage rental operation and ensure high quality outcomes and guest experience.- Quickly respond to and resolve guest complaints and incidents and complete all required reporting documentation.- Lead and participate in resort security functions throughout the year including nightly security rounds, manager on-duty program, and respond to any afterhours needs by staff or guests.- Develop and ensure profitable retail and grocery operation including maximizing margins, reviewing monthly and year-end P&L, placing orders, negotiating costs, approving designs, tracking inventory and merchandising.- Oversee daily Camp Store operation ensuring all staff follow resort procedures for opening and closing duties, cleanliness, stocking, inventory and write offs.- Participate, as requested in special events at Bethpage Camp-Resort and other associated properties.- Attend RV trade shows and participate in any marketing and/or promotional events as requested.- Understand and enforce all resort rules, policies, and procedures.Competencies:- Must possess professional demeanor with the ability to resolve customer complaints and staff issues in a positive manner.- Must possess flexible leadership style to accept, manage and execute changes in daily routine with competing priorities.- Must possess strong computer skills including keyboarding 40WPM, Microsoft Office programs, email, and reservation software.- Ideal candidate will thrive in a fast-paced environment while completing multiple tasks simultaneously.Supervisory Responsibility:- This position supervises a combination of year-round and seasonal employees and supervisors throughout various resort departments.Work Environment:- Work is performed indoors and outdoors and in all weather conditions during the day or night.Physical Demands:The physical demands described here are representative of those that must be met by an employee to successfully perform the essential functions of this job. While performing the duties of this job the employee is regularly required to:- Walk, sit, stand, squat, and crawl in a lying position.- Lift in excess of 60 lbs.- Work extended shifts during periods of high business volume.- Utilize hands and wrists with high dexterity to use all common hand/power tools and keyboarding.Position Type & Expected Work Hours:- Salaried-exempt, full-time, year-round.- In-season: 6-days per week (Approximately 48-60 hours), Off-season: 5-days per week (Approximately 40-48 hours per week).Required Skills:- BS/BA degree or equivalent experience in hospitality and customer service. Some experience with retail purchasing and/or merchandising preferred.- Minimum of 2 years of progressive experience and responsibility in hospitality or similar field, two of which were holding a supervisory position directing a multi-level staff.-----------------------------------------------------------------------------------------------------------------------------------------------------------Learning Goals - IntervieweeArticulate their values, interests, skills, and goalsDemonstrate effective communication skills in a variety of interview settingsArticulate their skills and abilitiesPrepare professionally written and formatted career application materials (resume, cover letter, etc.)Learning Goals - InterviewerArticulate organizational culture and requirementsDemonstrate effective communication skills in a variety of interview settingsPrepare relevant (legal) interview questionsAfter reviewing the Job Description and Learning Goals above....A.) Create a resume & cover letter tailored to the position. (AS THE INTERVIEWEE)B.) Research as much as you can about the company.C.) Develop a list of at least 5 questions to ask at the end of the interview. (AS THE INTERVIEWEE)D.) Create a draft of your perfect candidate (AS THE INTERVIEWER)E.) Develop a list of at least 3 questions to ask at the interview keeping within the 20-minute format (AS THE INTERVIEWER) 5.7 An industrial dough mixer is to be driven off a 45 kW motor running at 520r/min via a two gear speed reduction mesh with a pressure angle of 20 . The dough mixer is required to run at 130 r/min and the gear on the motor bas a pitch circle diameter of 60 mm. The effective overhang on the dough mixer drive is 50 mm. Use a factor of safety of 3 and design according to the maximum shear stress theory of failure a specially manufactured hollow shaft for the mixer. The shaft should be from BS 970:817 M40 steel (Q \& T) with a diameter ratio of 3:5. [D=47,74 mm;d=28,65 mm] There is evidence of people living in China dating back to 12,000 B.C. True False HELP ILL GIVE BRAINLY artist who almost always incorporated an architectural faade of urban structure as the backdrop for his compositions. which of the following tongue papillae do not have taste buds? a. fungiform b. filiform c. foliate d. all of the above contain taste buds. Find the absolute maximum and absolute minimum values offon the given interval.f(x)=ln(x2+x+1)[1,1]. What is a 3 term expression called? MULTIPLE CHOICE NEED ASAPWhat is the purpose of an antitrust law?(A) To promote competition and prevent businesses from gaining monopolies.(B) To protect the owners of intellectual property and cultural works.(C) To dismantle restrictions on the operations of a business.(D) To oversee the way that companies perform day-to-day activities. (06.01 LC)Read and match each sentence with its possible cause or effect. 1. Hace tres aos que tenemos huracanes cada verano.2. Despus de la erupcin del volcn perdieron el patio de su casa.3. Llamaron a los bomberos cuando vieron el humo.4. El agua de las lluvias y del ro caus daos en la ciudad.a. Los daos a la propiedadb. La inundacinc. La erosind. El incendio In literature, a round character is a well-developed character. A round character has complex motivations and background. By contrast, a flat character has a simple, one-note personality and background.Is Christian a round or flat character in Pilgrim's Progress? Give examples from the text to support your answer. Your response should be 45 sentences. Please help me ASAP Define Advancements in TechnologyComplete each statement by choosing the correct answer from the drop-down menu.Advancements in technology occur because?? Click an item in the list or group of pictures at the bottom of the problem and, holding the button down, drag it into the correct position in the answer box. Release your mouse button when the item is place. If you change your mind, drag the item to the trashcan. Click the trashcan to clear all your answers.Perform the following computation with radicals. Simplify the answer. statistics summarize and organize groups of numbers to make them easier to comprehend Will the net force be greater or lesser for objects with greater mass? What is the maturity value given the following:$10,200 at 9.5% for 10 months