Question1:
You are contracted to install MS Exchange Server software on all PCs of a company. After doing half of the work, you found that the company did not pay MS for the copies you are installing. You notified the company that they were out of compliance with MS licensing requirement, but got no response.
(a) What do you do?.
(b) What other information would you need?.
(c) Explain.

Answers

Answer 1

Since you have notified the company that they were out of compliance with MS licensing requirement, the next thing to do is to look or ask for the product key that is with the company

The other information would you need is for the company to obtain the product license by buying the product key.

Do you need a license for Microsoft?

If you get to buy any of the  standard Microsoft Office or other packages that is said to be the Home and Student edition, a person or firm will need a  license.

Note that the license is one that guarantee one the use of the product and its installation.

Therefore You need to purchase a lot of  copies of it and as such, Since you have notified the company that they were out of compliance with MS licensing requirement, the next thing to do is to look or ask for the product key that is with the company

The other information would you need is for the company to obtain the product license by buying the product key.

Learn more about MS licensing requirement from

https://brainly.com/question/14222113

#SPJ1


Related Questions

The ________ system removes and reduces heat caused by friction between the moving engine parts and the explosion of fuel in the cylinders.

Answers

The cooling system removes and reduces the heat caused by friction between the moving engine parts and the explosion of fuel in the cylinders. The correct option is d)

What is the cooling system?

The cooling system is a system that works on engines of machines and cars. It prevents friction for the parts of the engine that are moving and runs a smooth machine.

It also prevents the heating of the machines. Furthermore, it is like a liquid coolant that cools the machines and prevents overheating.

Thus, the correct option is d) cooling.

To learn more about the cooling system, refer to the below link:

https://brainly.com/question/18454101

#SPJ1

The question is incomplete. Your most probably complete question is given below:

a) steering

b) brake

c) suspension

d) cooling

what do you understand by the statement"the relative velocity of a body A with respect to body B".​

Answers

The relative velocity is defined as the velocity of an object with respect to another observer. It is the time rate of change of relative position of one object with respect to another object.

What is the relative velocity of A with respect to B?

The relative velocity of A with respect to B= velocity of the body A – velocity of the body B.

What is relative velocity and its formula?

The relative velocity formula is expressed as. V → = V A B → + V B C → Where. VAB is the velocity with respect to A and B, VBC is the velocity with respect to B and C and VAC is the velocity with respect to A and C.

To learn more about relative velocity, refer

https://brainly.com/question/17228388

#SPJ9

A pilot reports that when the hydraulic pump is running, the pressure is normal. However, when the pump is stopped, no hydraulic pressure is available. This is a indication of a

Answers

A pilot reports that when the hydraulic pump is running, the pressure is normal. However, when the pump is stopped, no hydraulic pressure is available. This is an indication of a leaking accumulator air valve

This is further explained below.

What is an accumulator air valve?

Generally, An accumulator of the bladder type is a metal tank that houses a rubber bladder that is filled with compressed gas. This form of the accumulator is also sometimes referred to as a hydro-pneumatic accumulator. In addition, the discharge port has a poppet valve, and the gas valve that is used to precharge the bladder has its own separate valve.

In conclusion, When the hydraulic pump is operating normally, according to the report of a pilot, the pressure is normal. On the other hand, there is no hydraulic pressure available when the pump is turned off. The presence of this symptom is evidence of a leaky accumulator air valve.

Read more about accumulator air valves

https://brainly.com/question/27753463

#SPJ1

How do you fix this?





from random import randint

class Character:

def __init__(self):

self.name = ""

self.health = 1

self.health_max = 1

def do_damage(self, enemy):

damage = min(

max(randint(0, self.health) - randint(0, enemy.health), 0),

enemy.health)

enemy.health = enemy.health - damage

if damage == 0:

print("%s evades %s's attack." % (enemy.name, self.name))

else:

print("%s hurts %s!" % (self.name, enemy.name))

return enemy.health <= 0

class Enemy(Character):

def __init__(self, player):

Character.__init__(self)

self.name = 'a goblin'

self.health = randint(1, player.health)

class Player(Character):

def __init__(self):

Character.__init__(self)

self.state = 'normal'

self.health = 10

self.health_max = 10

def quit(self):

print(

"%s can't find the way back home, and dies of starvation.\nR.I.P." % self.name)

self.health = 0

def help(self): print(Commands.keys())

def status(self): print("%s's health: %d/%d" %

(self.name, self.health, self.health_max))

def tired(self):

print("%s feels tired." % self.name)

self.health = max(1, self.health - 1)

def rest(self):

if self.state != 'normal':

print("%s can't rest now!" % self.name)

self.enemy_attacks()

else:

print("%s rests." % self.name)

if randint(0, 1):

self.enemy = Enemy(self)

print("%s is rudely awakened by %s!" %

(self.name, self.enemy.name))

self.state = 'fight'

self.enemy_attacks()

else:

if self.health < self.health_max:

self.health = self.health + 1

else:

print("%s slept too much." % self.name)

self.health = self.health - 1

def explore(self):


if self.state != 'normal':

print("%s is too busy right now!" % self.name)

self.enemy_attacks()

else:

print("%s explores a twisty passage." % self.name)

if randint(0, 1):

self.enemy = Enemy(self)

print("%s encounters %s!" % (self.name, self.enemy.name))

self.state = 'fight'

else:

if randint(0, 1):

self.tired()
else:

if randint(0, 1):

self.fall()



def flee(self):

if self.state != 'fight':

print("%s runs in circles for a while." % self.name)

self.tired()

else:

if randint(1, self.health + 5) > randint(1, self.enemy.health):

print("%s flees from %s." % (self.name, self.enemy.name))

self.enemy = None

self.state = 'normal'

else:

print("%s couldn't escape from %s!" %

(self.name, self.enemy.name))

self.enemy_attacks()

def attack(self):

if self.state != 'fight':

print("%s swats the air, without notable results." % self.name)

self.tired()

else:

if self.do_damage(self.enemy):

print("%s executes %s!" % (self.name, self.enemy.name))

self.enemy = None

self.state = 'normal'

if randint(0, self.health) < 10:

self.health = self.health + 1

self.health_max = self.health_max + 1

print("%s feels stronger!" % self.name)

else:

self.enemy_attacks()

def enemy_attacks(self):

if self.enemy.do_damage(self):

print("%s was slaughtered by %s!!!\nR.I.P." %

(self.name, self.enemy.name))
def fall(self):

print(

"%s fell down a pit and dies.\nR.I.P." % self.name)

self.health = 0


Commands = {

'quit': Player.quit,

'help': Player.help,

'status': Player.status,

'rest': Player.rest,

'explore': Player.explore,

'flee': Player.flee,

'attack': Player.attack,

}

p = Player()

p.name = input("What is your character's name? ")

print("(type help to get a list of actions)\n")

print("%s enters a dark cave, searching for adventure." % p.name)

while(p.health > 0):

line = input("> ")

args = line.split()

if len(args) > 0:

commandFound = False

for c in Commands.keys():

if args[0] == c[:len(args[0])]:

Commands[c](p)

commandFound = True

break

if not commandFound:

print("%s doesn't understand the suggestion." % p.name)

Answers

Using the knowledge in computational language in python it is possible to write a code that was fixed;

Writting in python:

from random import randint

class Character:

   def __init__(self):

       self.name = ""

       self.health = 1

       self.health_max = 1

   def do_damage(self, enemy):

       damage = min(

           max(randint(0, self.health) - randint(0, enemy.health), 0),

           enemy.health)

       enemy.health = enemy.health - damage

       if damage == 0:

           print("%s evades %s's attack." % (enemy.name, self.name))

       else:

           print("%s hurts %s!" % (self.name, enemy.name))

       return enemy.health <= 0

class Enemy(Character):

   def __init__(self, player):

       Character.__init__(self)

       self.name = 'a goblin'

       self.health = randint(1, player.health)

class Player(Character):

   def __init__(self):

       Character.__init__(self)

       self.state = 'normal'

       self.health = 10

       self.health_max = 10

   def quit(self):

       print(

           "%s can't find the way back home, and dies of starvation.\nR.I.P." % self.name)

       self.health = 0

   def help(self): print(Commands.keys())

   def status(self): print("%s's health: %d/%d" %

                           (self.name, self.health, self.health_max))

   def tired(self):

       print("%s feels tired." % self.name)

       self.health = max(1, self.health - 1)

   def rest(self):

       if self.state != 'normal':

           print("%s can't rest now!" % self.name)

           self.enemy_attacks()

       else:

           print("%s rests." % self.name)

           if randint(0, 1):

               self.enemy = Enemy(self)

               print("%s is rudely awakened by %s!" %

                     (self.name, self.enemy.name))

               self.state = 'fight'

               self.enemy_attacks()

           else:

               if self.health < self.health_max:

                   self.health = self.health + 1

               else:

                   print("%s slept too much." % self.name)

                   self.health = self.health - 1

   def explore(self):

       if self.state != 'normal':

           print("%s is too busy right now!" % self.name)

           self.enemy_attacks()

       else:

           print("%s explores a twisty passage." % self.name)

           if randint(0, 1):

               self.enemy = Enemy(self)

               print("%s encounters %s!" % (self.name, self.enemy.name))

               self.state = 'fight'

           else:

               if randint(0, 1):

                   self.tired()

   def flee(self):

       if self.state != 'fight':

           print("%s runs in circles for a while." % self.name)

           self.tired()

       else:

           if randint(1, self.health + 5) > randint(1, self.enemy.health):

               print("%s flees from %s." % (self.name, self.enemy.name))

               self.enemy = None

               self.state = 'normal'

           else:

               print("%s couldn't escape from %s!" %

                     (self.name, self.enemy.name))

               self.enemy_attacks()

   def attack(self):

       if self.state != 'fight':

           print("%s swats the air, without notable results." % self.name)

           self.tired()

       else:

           if self.do_damage(self.enemy):

               print("%s executes %s!" % (self.name, self.enemy.name))

               self.enemy = None

               self.state = 'normal'

               if randint(0, self.health) < 10:

                   self.health = self.health + 1

                   self.health_max = self.health_max + 1

                   print("%s feels stronger!" % self.name)

           else:

               self.enemy_attacks()

   def enemy_attacks(self):

       if self.enemy.do_damage(self):

           print("%s was slaughtered by %s!!!\nR.I.P." %

                 (self.name, self.enemy.name))

Commands = {

   'quit': Player.quit,

   'help': Player.help,

   'status': Player.status,

   'rest': Player.rest,

   'explore': Player.explore,

   'flee': Player.flee,

   'attack': Player.attack,

}

p = Player()

p.name = input("What is your character's name? ")

print("(type help to get a list of actions)\n")

print("%s enters a dark cave, searching for adventure." % p.name)

while(p.health > 0):

   line = input("> ")

   args = line.split()

   if len(args) > 0:

       commandFound = False

       for c in Commands.keys():

           if args[0] == c[:len(args[0])]:

               Commands[c](p)

               commandFound = True

               break

       if not commandFound:

           print("%s doesn't understand the suggestion." % p.name)

See more about python at brainly.com/question/12975450

#SPJ1

What pretakeoff check should be made of a vacuum-driven heading indicator in preparation for an ifr flight?

Answers

Answer:

After 5 minutes, set the indicator to the magnetic heading of the aircraft and check for proper alignment after taxi turns.

Explanation:

The pretakeoff check is that;

After 5 minutes, set the indicator to the magnetic heading of the aircraft and check for proper alignment after taxi turns.

Perform pre-flight checks on the vacuum-driven heading indicator, including the power source, zero setting, gyro drift, and accurate operation before an IFR flight.

We have,

Before a flight, especially for IFR (Instrument Flight Rules) operations, it's crucial to conduct a thorough pre-flight check of the vacuum-driven heading indicator, also known as the directional gyro or DG.

The heading indicator is a crucial instrument for maintaining proper heading during flight. Here are the key checks to perform:

- Power and Vacuum Source:

Ensure that the aircraft's vacuum system is functioning correctly and providing adequate suction to power the heading indicator.

Verify that the vacuum system pressure is within the manufacturer's specified range.

- Instrument and Case Inspection:

Visually inspect the heading indicator and its case for any signs of damage, cracks, or loose fittings.

Make sure the instrument's glass is clean and clear for easy readability.

- Zero Setting:

Set the heading indicator to the correct heading using the aircraft's magnetic compass or another reliable heading reference. This process is known as "synchronizing" the heading indicator.

- Gyro Drift Check:

- Operation Check:

Thus,

Perform pre-flight checks on the vacuum-driven heading indicator, including the power source, zero setting, gyro drift, and accurate operation before an IFR flight.

Learn more about pre-flight checks here:

https://brainly.com/question/34119472

#SPJ7

A station supplies 250 kVA at a lagging power factor of 0.8. A synchronous motor is connected in parallel with the load. If combined load is 250 kW with lagging p.f. of 0.9, determine:

Answers

Answer:al part of question

Explanation:voltage

Explain the concept quality

Answers

Answer:

Hey there!

Explanation:

This is your answer....

The standard of something as measured against other things of a similar kind; the degree of excellence of something.

OR

Quality engineering is the discipline of engineering concerned with the principles and practice of product and service quality assurance and control. In software development, it is the management, development, operation and maintenance of IT systems and enterprise architectures with a high quality standard.

Hope it helps!

Brainliest pls!

Have a good day!^^

What color is a board sternlight

Answers

We can infer and logically deduce that the color of a boat's sternlight is white.

What is a sternlight?

A sternlight can be defined as a white light that is designed and developed to be placed as closely as possible and practical with the stern shining continuously (constantly).

By default, a sternlight is typically affixed to the boat in such a way that the light will shine out at an angle of 135 degrees (135°) from the back of the boat.

In this context, we can infer and logically deduce that the color of a boat's sternlight is white and it avails sailors and other persons the opportunity of determining and knowing the direction that a boat (vessel) is moving.

Read more on sternlight here: https://brainly.com/question/27999695

#SPJ1

Complete Question:

What color is a boat sternlight?

what happend to the roster after he laid eggs​

Answers

Answer: The Animal was sentenced in a solemn judicial proceeding and condemned to be burned alive

Explanation: bye rooster xd

Both copper and stainless steel are being considered as a wall material for a liquid cooled rocket nozzle. The cooled exterior of the wall is maintained at 150°C, while the combustion gases within the nozzle are at 2750°C. The gas side heat transfer coefficient is known to be hᵢ = 2×10⁴ W/m²-K, and the radius of the nozzle is much larger than the wall thickness. Thermal limitations dictate that the temperature of copper must not exceed 540°C, while that of the steel must not exceed 980°C. What is the maximum wall thickness that could be employed for each of the two materials? For Cu, ρ = 8933 kg/m³, k = 378 W/m-K and for stainless steel, ρ = 7900 kg/m³, k = 23.2 W/m-K

Answers

a. The maximum thickness of the copper nozzle is 3.3 mm

b. The maximum thickness of the steel nozzle is 0.054 mm

The question has to do with heat transfer

What is heat transfer?

Heat transfer is the movement of heat energy from one body to anotrher.

How to calculate the maximum wall thickness?

Since the rate of heat loss by the gas equal rate of heat gain by the metal.

Rate of heat loss by gas

The rate of heat loss by gas is P = -hA(T - T') where

h = heat transfer coefficient of gas = 2 × 10⁴ W/m²-K, A = surface area of nozzle, T = maximum temperature of metal and T = Temperature of gas = 2750°C

Rate of heat gain by metal

The rate of heat gain by metal is given by P' = kA(T - T")/t where

k = thermal coefficient of metal, A = surface area of nozzle, T = maximum temperature of metal, T" = temperature of exterior wall of nozzle = 150°C and t = thickness of nozzle.

Maximum thickness of nozzle.

Since P = P', we have that

-hA(T - T') =  kA(T - T")/t

Making t subject of the formula, we have

t = -k(T - T")/h(T - T')

a. Maximum thickness for copper nozzle

Given that for copper

T = 540°C and k = 378 W/m-K

Substituting the values of the variables into t, we have

t = -k(T - T")/h(T - T')

t = -378 W/m-K(540°C - 150°C)/[2 × 10⁴ W/m²-K(540°C - 2750°C)]

t = -378 W/m-K(390°C)/[2 × 10⁴ W/m²-K(-2210°C)]

t = 147420 W/m/4420 × 10⁴ W/m²

t = 147420 W/m/44200000 W/m²

t = 0.0033 m

t = 3.3 mm

So, the maximum thickness of the copper nozzle is 10.71 cm

b. Maximum thickness for steel nozzle

Given that for steel

T = 980°C and k = 23.2 W/m-K

Substituting the values of the variables into t, we have

t = -k(T - T")/h(T - T')

t = -23.2 W/m-K(980°C - 150°C)/[2 × 10⁴ W/m²-K(980°C - 2750°C)]

t = -23.2 W/m-K(830°C)/[2 × 10⁴ W/m²-K(-1770°C)]

t = 19256 W/m/3540 × 10⁴ W/m²

t = 19256 W/m/35400000 W/m²

t = 0.0000544 m

t = 0.0544 mm

t ≅ 0.054 mm

So, the maximum thickness of the steel nozzle is 0.054 mm

Learn more about heat transfer here:

https://brainly.com/question/27673846

#SPJ1

The factor of safety for a machine element depends on the particular point selected for the analysis.
This bar is made of AISI 1006 cold-drawn steel (Sy=280MPa) and it is loaded by the forces F=0.55kN, P=8.0kN and T=30N.m. Based upon the Von Misses theory, determine the safety factor for points A and B.

Answers

Based upon the Von Mises theory, the safety factor for points A and B are 2.77 and 6.22 respectively.

How to calculate the safety factor for points A and B?

From the diagram of this bar made of AISI 1006 cold-drawn steel shown in the image attached below, we can logically deduce the following parameters:

Stress, Sy = 280 MPa.Force, F = 0.55 kN to N = 550 N.Pressure, P = 8.0 kN to N = 800 N.Surface tension, T = 30 Nm.Length, l = 100 mm to m = 0.1 m.Diameter, d = 200 mm to m = 0.02 m.

At point A, the stress is given by this equation:

σx = Mc/I + P/Area

[tex]\sigma_x = \frac{Fl(\frac{d}{2}) }{\frac{\pi d^2}{64} } +\frac{P}{\frac{\pi d^2}{4} } \\\\[/tex]

σx = 32Fl/πd³ + 4P/πd²

Substituting the given parameters into the formula, we have;

σx = 32(550)(0.1)/π(0.02)³ + 4(800)/π(0.02)²

σx = 95.49 MPa.

Next, we would determine the torque:

Mathematically, torque can be calculated by using this formula:

τxy = Tr/J = 16T/πd³

τxy = 16(30)/π(0.02)³

τxy = 19.10 MPa.

From Von Misses theory, we have:

σVM = √(σx² + 3τxy²)

σVM = √(95.49² + 3(19.10)²)

σVM = 101.1 MPa.

Now, we can calculate the safety factor for point A:

n = Sy/σVM

n = 280/101.1

n = 2.77.

At point B, the stress is given by this equation:

σx = 4P/πd²

σx = 4(800)/π(0.02)²

σx = 25.47 MPa.

Next, we would determine the torque:

Mathematically, torque can be calculated by using this formula:

τxy = Tr/J = 16T/πd³ + 4V/3A

τxy = 16(30)/π(0.02)³ + 4(550)/3π(0.02)³

τxy = 21.43 MPa.

From Von Mises theory, we have:

σVM = √(σx² + 3τxy²)

σVM = √(25.47² + 3(21.43)²)

σVM = 45.02 MPa.

Now, we can calculate the safety factor for point B:

n = Sy/σVM

n = 280/45.02

n = 6.22.

Read more on Von Mises theory here: https://brainly.com/question/12976779

#SPJ1

When an inside corner is being welded in the horizontal position, undercutting can be decreased or prevented by?

Answers

Answer:

By using a forward-inclined half-moon torch position, stopping momentarily at each end of the weld pool

Explanation:

By using a forward-inclined half-moon torch position, stopping momentarily at each end of the weld pool

Adjusting welding parameters, using appropriate electrode size, and maintaining proper torch angle can prevent undercutting in horizontal

welding of an inside corner.

We have,

When an inside corner is being welded in the horizontal position, undercutting can be decreased or prevented by adjusting the welding parameters, such as:

- Controlling Welding Parameters:

Adjusting the welding parameters is crucial in preventing undercutting.

It involves regulating the welding current, voltage, and travel speed.

- Selecting Appropriate Electrode Size:

Choosing the right electrode size is essential to control the heat generated during the welding process.

Smaller electrode diameters generally provide lower heat input, which can help prevent undercutting.

- Maintaining Proper Torch Angle and Manipulation Techniques:

Keeping the correct torch angle during welding is crucial to control the weld pool and metal deposition.

- reducing the welding current and travel speed

- using the appropriate electrode size

- maintaining proper torch angle and manipulation techniques.

Thus,

Adjusting welding parameters, using appropriate electrode size, and maintaining proper torch angle can prevent undercutting in horizontal welding of an inside corner.

Learn more about welding parameters here:

https://brainly.com/question/29654991

#SPJ7

Your cousin shows you an ipod that she got in 2005. you’re amazed that she was a(n) ________ adopter according to rogers’ bell curve.

Answers

answer is consumer adopter according to rogers bell curve

Question 5 of 10
How much cubic inch space is required inside a box for 4 #6 XHHN current carrying conductors?

Answers

The maximum cubic inch space that is required inside a box for 4 #6 XHHN current carrying conductors is 10 cubic inches.

What is current carrying conductor?

A current-carrying conductor is a conductor that experience a force when it is in a magnetic field, due to the interaction between the magnetic field & the field (magnetic) produced by moving charges in the wire.

The HHN stands for High Heat-resistant Nylon-coated.

The maximum cubic inch space that is required inside a box for 4 #6 XHHN current carrying conductors is calculated as follows;

cubic inch space = 4 x 2.5 in³

cubic inch space = 10 in³

Thus, the maximum cubic inch space that is required inside a box for 4 #6 XHHN current carrying conductors is 10 cubic inches.

Learn more about current carrying conductors here: https://brainly.com/question/9719792

#SPJ1

The household refrigerator fresh-food compartment is a good example of ____ refrigeration

Answers

Medium - temperature

the upper joint is directly above the lower joint when
viewed from the side

Answers

Answer: zero caster

Explanation:

A resistor, an inductor, and a capacitor are connected in series to an ac source. What is the condition for resonance to occur?.

Answers

Answer:if power factor =1 is possible for that.

Explanation:when pf is unity. means 1.

You have three gear wheels a, b and c connected to each other,if you turn the first gear wheel "a" clockwise what will happen to b and c

Answers

In the case above,  It will take more time for a tooth of wheel B and C to make a full turn (slower) than it will for a tooth of wheel A.

What are gear wheels?

A gear wheel is known to be a kind of a wheel that is known to be made up of a teeth and/or cogs that is known to function with those of other aspect of the wheel or part.

Note that in the above case, lets use a scenario that  Wheel P has 5 teeth. Wheel M has 3 teeth and wheel N has 1 teeth.  If wheel P makes a full turn, wheel M turn will be slower as  well as wheel N which will take more time.

Therefore, In the case above,  It will take more time for a tooth of wheel B and C to make a full turn than it will for a tooth of wheel A.

Learn more about Gear wheels from

https://brainly.com/question/17080981

#SPJ1

What is voltage drop?

Answers

Answer:

Explanation:

It is the voltage a voltmeter would read when connected across something that has resistance.

___________0_________O______O_______

|                                                                               |

|                                              |                                |

|_____________________|  |_____________ |

                                              |

The diagram above is supposed to represent 3 lightbulbs connected in series. The vertical lines in the middle are supposed to be a battery which powers the three light bulbs. If you put a voltmeter across one of the lightbulbs, it will read a voltage that is 1/3 of the voltage of the battery.

Answer

That reading you get across the one light bulb is The Voltage Drop.

                                             

Cd, also called blank______, was the first widely available optical format for pc users.

Answers

Answer: Compact Disc

c) Also known as moral philosophy, Et hics is a branch of phil osophy which
seeks to address questions about morality; that is, about concepts like good and bad, right and wrong, justice, virtue, etc. There is quite a number of approaches to the study of ethical issues. With clear illustrations, compare and contrast Duty-based and Out come – based ethics

Answers

It should be noted that duty-based ethics is the intent of an action while outcome-based ethics means the outcome of an action.

What are ethics?

It should be noted that ethics are the moral principles that govern a person's behaviour or the conducting of an activity.

Here, duty-based ethics are what people are talking about when they refer to the principle of the thing.

Also, duty-based ethics teaches that some acts are right or wrong based on how they're viewed in the society.

It should be noted that outcome-based ethics simply dictates that the decision to act in a particular way should be beneficial to the people and have a positive impact on them. In this case, the focus is on the result.

Learn more about ethics on:

https://brainly.com/question/13969108

#SPJ1

What term is used to describe when a room becomes so hot that everything in it ignites simultaneously?.

Answers

In five minutes a room can get so hot that everything in it ignites at once: this is called flashover.

When a room becomes so hot that everything in it ignites simultaneously it is termed a flashover.

What is a flashover?

In a confined space, a flashover occurs when the majority of the directly exposed flammable material ignites almost simultaneously. Certain organic compounds go through thermal decomposition when heated and emit combustible gases as a result.

Every flammable surface exposed to thermal radiation in a compartment or confined space ignites quickly and simultaneously during a flashover, a thermally driven event. For typical combustibles, flashover typically happens when the upper section of the compartment achieves a temperature of about 1,100 °F.

Flashover circumstances are more likely to occur in buildings with hidden compartments, lower ceiling heights, room partitions, and energy-efficient or hurricane windows.

Therefore, the sudden ignition of everything in the room is called a flashover.

To know more about flashover follow

https://brainly.com/question/19262414

#SPJ2

Other Questions
The _____ reflects the electrical impulse of the heart emanating from the atria. __________ refers to the period of transit away from the home country when refugees do not know where they are going. How does the different forms of ownership contribute to sustainable job creation Monks are known for taking what action with Greek and Roman classic writings?A) Destroying them because of their pagan rootsB) Repeatedly copying them to preserve them from disintegrationC) Changing them to make them compatible with christianityD) Returning them to their original owners Attempting to double the amount of weight you can bench press in the space of a month is an example of which barrier to change?. Please help. Match the graph of the function with the function rule. You connect a 9 v battery to a capacitor consisting of two circular plates of radius 0. 066 m separated by an air gap of 2. 0 mm. What is the charge on the positive plate? RSM wants to send four of its 18 Math Challenge teachers to a conference. How many combinations of four teachers include Mrs. Vera(only)? Write the equation y=-3x+3 in function notation using f(x) to denote the function. best answer gets marked as brainliest! list all of the properties of stainless steel spoon The amplitude of a standing sound wave in a long pipe closed at the left end is sketched below.1. The vertical axis is the maximum displacement of the air, and the horizontal axis is along the length of the pipe. What is the harmonic number for the mode of oscillation illustrated?2. The length of the pipe is 0.440 m. What is the pitch (frequency) of the sound? Use 340 m/s for the speed of sound in air.3. The pipe is now held vertically, and a small amount of water is poured inside the pipe. The first harmonic frequency is then measured to be 251.1 Hz. Measuring from the bottom of the pipe, what is the level of the water? Why do you think sra has chosen to focus its efforts on federal government departments and agencies within the national security market? Why did Joses mom treat Eddie the way she did?buried onions For the reaction: 3 H2(g) + N2(g) 2 NH3(g), the concentrations at equilbrium were [H2] = 0.10 M, [N2] = 0.10 M, and [NH3] = 5.6 M. What is the equilibrium constant (K)?Group of answer choicesA. K = 3.1 x 105B. K = 560C. K = 5.6 x 10-4D. K = 1.8 x 10-3 4. incandescent bulbs emit light in the yellow-orange range of the spectrum. would these light bulbs produce healthy plants? explain your answer Any factor that leads businesses to collectively expect lower rates of return on their investments? When speakers in a multilingual context use a simplified form of one language (often a colonial language) as the common language across a region, this language is called a(n):_________ When a substance is entering a phase change, the gain or loss of heat is a result of:______. Which of the following is correct about the Supreme Court? All of the above. Courts can not accept cases born of Collusion. When its a fake case if both sides are on the same side. Courts can not take theoretical cases. There must be real victims and real parties for the case. They will not review a law until somebody actually broke the law. Which component of the howard threat model contains design, implementation, and configuration?