Which of the following is a method used in the slip-critical bolted connections to make sure bolts are properly tensioned?
turn of nut method
direct tension indicator
calibrated torque wrench method
splined tension control bolts

Answers

Answer 1

The c) calibrated torque wrench method is a commonly used method to ensure that bolts in slip-critical bolted connections are properly tensioned(c).

This method involves using a torque wrench with a calibrated gauge to tighten the bolts to a specified torque value. The torque value is calculated based on the size and grade of the bolt and the material being joined. This method is effective because it allows for precise control over the amount of tension applied to each bolt.

Additionally, it can be used on-site, making it a convenient option for construction projects. While other methods such as the turn of nut method and direct tension indicator can also be used, the calibrated torque wrench method is generally preferred due to its accuracy and reliability.

Spline tension control bolts, on the other hand, are a different type of fastener that rely on the splines to prevent the nut from loosening, rather than on specific torque or tension requirements.

For more questions like Torque wrench click the link below:

https://brainly.com/question/19104073

#SPJ11


Related Questions

What do you mean by overflow and underflow error in array?.

Answers

Answer:

Overflow and underflow are both errors resulting from a shortage of space. On the most basic level, they manifest in data types like integers and floating points. Unlike the physical world, the number stored in a computer exists in a discrete number of digits.

Explanation:

You are building a system around a processor with in-order execution that runs at 1.1 GHz and has a CPI of 1.35 excluding memory accesses. The only instructions that read or write data from memory are loads (20% of all instructions) and stores (10% of all instructions). The memory system for this computer is composed of a split L1 cache that imposes no penalty on hits. Both the Icache and D-cache are direct-mapped and hold 32 KB each. The l-cache has a 2% miss rate and 32-byte blocks, and the D-cache is write-through with a 5% miss rate and 16-byte blocks. There is a write buffer on the D-cache that eliminates stalls for 95% of all writes. The 512 KB write-back, the unified L2 cache has 64-byte blocks and an access time of 15 ns. It is connected to the L1 cache by a 128-bit data bus that runs at 266 MHz and can transfer one 128-bit word per bus cycle. Of all memory references sent to the L2 cache in this system, 80% are satisfied without going to the main memory. Also, 50% of all blocks replaced are dirty. The 128-bit-wide main memory has an access latency of 60 ns, after which any number of bus words may be transferred at the rate of one per cycle on the 128-bit-wide 133 MHz main memory bus. a. [10] What is the average memory access time for instruction accesses? b. [10] What is the average memory access time for data reads? c. [10] What is the average memory access time for data writes? d. [10] What is the overall CPI, including memory accesses?

Answers

To calculate the average memory access time for instruction accesses (a), data reads (b), data writes (c), and the overall CPI including memory accesses (d), we need to consider the cache hierarchy and memory system parameters given.

a. Average Memory Access Time for Instruction Accesses:

The instruction cache (I-cache) is direct-mapped with a 2% miss rate and 32-byte blocks. The I-cache imposes no penalty on hits.

Average memory access time for instruction accesses = Hit time + Miss rate * Miss penalty

Given:

Hit time = 0 (no penalty on hits)

Miss rate = 2% = 0.02

Miss penalty = Access time of L2 cache = 15 ns

Average memory access time for instruction accesses = 0 + 0.02 * 15 ns = 0.3 ns

b. Average Memory Access Time for Data Reads:

The data cache (D-cache) is direct-mapped with a 5% miss rate and 16-byte blocks. The D-cache is write-through, but there is a write buffer that eliminates stalls for 95% of all writes.

Average memory access time for data reads = Hit time + Miss rate * Miss penalty

Given:

Hit time = 0 (no penalty on hits)

Miss rate = 5% = 0.05

Miss penalty = Access time of L2 cache = 15 ns

Average memory access time for data reads = 0 + 0.05 * 15 ns = 0.75 ns

c. Average Memory Access Time for Data Writes:

For data writes, there is a write buffer on the D-cache that eliminates stalls for 95% of all writes. The write buffer avoids the need to access the L2 cache for most writes.

Average memory access time for data writes = Hit time + (1 - Write buffer hit rate) * Miss penalty

Given:

Hit time = 0 (no penalty on hits)

Write buffer hit rate = 95% = 0.95

Miss penalty = Access time of L2 cache = 15 ns

Average memory access time for data writes = 0 + (1 - 0.95) * 15 ns = 0.75 ns

d. Overall CPI including Memory Accesses:

To calculate the overall CPI including memory accesses, we need to consider the fraction of memory references that cause cache misses and access the main memory.

Overall CPI = CPI (excluding memory accesses) + (Memory access time / Clock cycle time)

Given:

CPI (excluding memory accesses) = 1.35

Memory access time = Average memory access time for instruction accesses + (Memory references causing cache misses * Average memory access time for data reads) + (Memory references causing cache misses * Average memory access time for data writes)

Clock cycle time = 1 / (Processor frequency)

Memory references causing cache misses = Instruction references * Instruction miss rate + Data references * Data miss rate

Instruction references = 20% of all instructions

Data references = 10% of all instructions

Calculating the values:

Memory references causing cache misses = (20% * 0.02) + (10% * 0.05) = 0.006

Memory access time = 0.3 ns + (0.006 * 0.75 ns) + (0.006 * 0.75 ns) = 0.3045 ns

Clock cycle time = 1 / (1.1 GHz) = 0.909 ns

Overall CPI including Memory Accesses = 1.35 + (0.3045 ns / 0.909 ns) = 1.35 + 0.335 = 1.685

Therefore:

a. Average memory access time

Learn more about Average memory access time from

https://brainly.com/question/31978184

#SPJ11

I. (20%) Consider the following six relations for an order processing database application in a company: Customer(Cust#, Cname, City) Order(Order#, Odate, Cust#, Ord_Amt) Order_Item(Order#, Item#, Qty) Item(Item#, Unit_Price) Shipment(Order#, Warehouse#, Ship_date) Warehouse(Warehouse#, City) Ord Amt refers to total dollar amount of an order; Odate is the date the order was placed; Ship_date is the date an order is shipped from the warehouse. An order can be shipped from any warehouse. Specify the following operations/queries in SQL. (a) (5%) Create the table for the relation Order. (you can decide the data type of the attributes) (b) (5%) List Cust#, Cname, City for all the customers. (c) (5%) List the Order# and Ship_date for all orders shipped from Warehouse# "W2". (d) (5%) For all the order items purchased by the customer whose Cust#='C001', list the Order#, Item#, and Qty for those items that have a unit price greater than 100.

Answers

(a) Create the table for the relation Order:

```sql

CREATE TABLE Order (

 Order# INT,

 Odate DATE,

 Cust# INT,

 Ord_Amt DECIMAL(10, 2),

 PRIMARY KEY (Order#),

 FOREIGN KEY (Cust#) REFERENCES Customer(Cust#)

);

```

In this query, we create a table named "Order" with the specified attributes and data types. The Order# attribute is set as the primary key, and the Cust# attribute is set as a foreign key referencing the Cust# attribute in the Customer table.

(b) List Cust#, Cname, City for all the customers:

```sql

SELECT Cust#, Cname, City

FROM Customer;

```

This query selects the Cust#, Cname, and City attributes from the Customer table, displaying all rows in the table.

(c) List the Order# and Ship_date for all orders shipped from Warehouse# "W2":

```sql

SELECT Order#, Ship_date

FROM Shipment

WHERE Warehouse# = 'W2';

```

This query selects the Order# and Ship_date attributes from the Shipment table, filtering the results to only include rows where the Warehouse# is equal to 'W2'.

(d) For all the order items purchased by the customer whose Cust#='C001', list the Order#, Item#, and Qty for those items that have a unit price greater than 100:

```sql

SELECT O.Order#, OI.Item#, OI.Qty

FROM Order O

JOIN Order_Item OI ON O.Order# = OI.Order#

JOIN Item I ON OI.Item# = I.Item#

WHERE O.Cust# = 'C001' AND I.Unit_Price > 100;

```

This query joins the Order, Order_Item, and Item tables based on their corresponding keys and selects the Order#, Item#, and Qty attributes. It includes a condition to filter the results to only include rows where the Cust# is 'C001' and the Unit_Price is greater than 100 in the Item table.

Learn more about sql here:

https://brainly.com/question/31663284

#SPJ11

When an array myArray is only partially filled, how can the programmer keep track of the current number of elements? ut of Select one: O a. maintain a companion variable that stores the current number of elements sestion O b. access myArray.length() O c. access myArray.currentElements() - 1 O d. access myArray.length() 4 Which statement about identifiers is correct? d out of Select one: O a. Identifiers can be made up of letters, digits, and the underscore () character. question b. Identifiers are not case sensitive. O c. Spaces are permitted inside identifiers. O d. Identifiers can use symbols such as ? or %.

Answers

The way that the programmer keep track of the current number of elements  is the programmer can maintain a separate variable that stores the current number of elements. Regarding the correct statement about identifiers, option "a" is correct.

What is myArray about?

An identifier is a name given to a variable, function, class, or any other user-defined item in a programming language.

Therefore,  In most programming languages, identifiers can be made up of letters, digits, and the underscore character, and are often case-sensitive. Spaces and symbols such as "?" or "%" are not typically permitted inside identifiers.

Learn more about myArray at:

https://brainly.com/question/28061186

#SPJ1

A company wants to develop audio speakers using an inexpensive type of plastic that has a very high quality of sound output. Which customers would most likely give a high evaluation of this product?

Answers

Answer:A

Explanation:

Those who want to save money and will use the product for only a few years

Answer:

THE ANSWER is A - those who want to save money and will use the product for only a few years

Explanation: Got it right on edg 2021

... is an actual sequence of interactions (i.e., an instance) describing one specific situation; a ... is a general sequence of interactions (i.e., a class) describing all possible ... associated with a situation. ... are used as examples and for clarifying details with the client. ... are used as complete descriptions to specify a user task or a set of related system features.

Answers

Answer:

ScenarioUse caseScenariosScenariosUse case

Explanation:

A scenario is an actual sequence of interactions (i.e., an instance) describing one specific situation; a use case is a general sequence of interactions (i.e., a class) describing all possible scenarios associated with a situation. Scenarios are used as examples and for clarifying details with the client. Use cases are used as complete descriptions to specify a user task or a set of related system features.

If a circuit produces a phase shift of 45 degrees between the voltage and current curves and the apparent power is 100 VA, what is the TRUE power in the circuit?


50 W


70.7 VA


70.7 W


100 A

Answers

The true power is obtained as 70.7 VA.

What is the true power?

We define the power a the rate of doing work, we know that the power in a circuit is the product of the current and the voltage. In this case, we want to find the true power thus we have to involve the use of the phase shift in degrees.

Thus;

True power = PcosΦ

P =  100 VA

Φ = 45 degrees

True power =  100 VA * cos 45 degrees

True power = 70.7 VA

Learn more about power in a circuit:https://brainly.com/question/2933971

#SPJ1

New cities from scratch are often portrayed as utopian and solutions to the problems of existing cities (pollution, crime, poverty, poor housing, and infrastructure, etc.). This was the case with the 20th Century British New Town movement and it is again the case with new smart and sustainable master planned cities, although the details are very different. How would you assess the promises made about scratch cities and what might be of concern?

Answers

Assessing the promises made about new cities built from scratch requires a critical evaluation of their potential benefits and challenges. While such cities may offer solutions to existing urban problems, there are several factors of concern that need to be considered:

1. Implementation Challenges: Building a city from scratch is a complex and challenging task. It involves extensive planning, coordination, and financial investment. Delays and cost overruns can be common, impacting the realization of promised benefits.

2. Sustainability and Environmental Impact: New cities often promote sustainability and eco-friendly practices. However, there is a need to ensure that these cities truly deliver on their environmental promises throughout their lifespan. Issues such as resource consumption, waste management, and carbon emissions must be carefully addressed.

3. Social and Economic Equity: Scratch cities may claim to address social inequalities and provide affordable housing. However, ensuring equitable access to housing, education, healthcare, and employment opportunities for diverse socio-economic groups is crucial. Care must be taken to avoid creating new forms of exclusion and segregation.

4. Community Engagement and Identity: Creating a sense of community and fostering a unique city identity takes time and effort. It is essential to involve residents and stakeholders in the planning process to ensure their needs, preferences, and cultural aspects are considered.

5. Long-Term Viability: The long-term sustainability and success of new cities depend on various factors, including economic diversification, job creation, attracting investments, and adapting to changing demographics and technological advancements. Ongoing governance and management strategies are essential for their continued growth and development.

6. Infrastructure and Connectivity: Adequate infrastructure, transportation networks, and connectivity are vital for the smooth functioning and accessibility of new cities. Planning for efficient transportation systems, public spaces, and connectivity with existing urban areas is critical to avoid isolation and promote integration.

7. Economic Development and Job Opportunities: Scratch cities often promise economic growth and employment opportunities. However, the transition from initial development to a self-sustaining economy can be challenging. Ensuring a diversified and resilient economy with sustainable job opportunities is crucial for the long-term prosperity of the city.

8. Cultural and Social Vibrancy: Creating vibrant cultural and social spaces is important for the quality of life in new cities. Encouraging artistic expression, cultural events, and social interactions can contribute to the overall livability and attractiveness of the city.

In assessing promises made about scratch cities, it is important to critically analyze these factors and ensure that realistic expectations, proper planning, community engagement, and ongoing monitoring and evaluation are integral parts of the development process. This can help address concerns and increase the likelihood of achieving the envisioned benefits for residents and the wider community.

Assessing the promises made about new cities from scratch requires a critical evaluation of their potential benefits and potential concerns. While these cities hold the promise of addressing existing urban challenges, there are several aspects to consider:

Promises:

Urban Planning: New cities from scratch provide an opportunity for deliberate urban planning, allowing for the creation of well-designed and efficient infrastructure, transportation systems, and public spaces. This can lead to improved quality of life and a more sustainable environment.

Innovation and Technology: Many new cities aim to leverage advanced technologies and smart solutions to create efficient, connected, and sustainable urban environments. This includes the integration of renewable energy, smart grids, intelligent transportation systems, and data-driven management.

Social Equity: Scratch cities often promise to address social issues such as poverty and inequality. They may offer affordable housing, access to quality education and healthcare, and inclusive community spaces, aiming to create more equitable societies.

Economic Opportunities: New cities can attract investments, industries, and businesses, potentially creating new job opportunities and economic growth. They may offer a favorable environment for innovation, entrepreneurship, and the development of new industries.

Concerns:

Realization Challenges: Implementing a new city from scratch involves complex and long-term processes. Delays, budget overruns, and changing political priorities can hinder the realization of promised benefits, leaving residents and stakeholders disappointed.

Social Displacement: The creation of new cities may involve displacing existing communities or disrupting established social networks. This raises concerns about the potential marginalization of vulnerable populations and the loss of cultural heritage.

Sustainability and Environmental Impact: While new cities often aim to be sustainable, the actual environmental impact depends on factors such as resource consumption, waste management, and carbon emissions. The ecological footprint of construction, transportation, and ongoing operations must be carefully considered.

Affordability and Accessibility: Ensuring affordable housing, inclusive amenities, and accessible public services in new cities is crucial for addressing social equity. High costs, exclusionary practices, or limited accessibility can lead to socioeconomic disparities and exclusion.

Long-Term Viability: The long-term viability of new cities depends on various factors such as economic diversification, governance structures, citizen engagement, and adaptability to changing social, economic, and environmental conditions. Failure to anticipate and address these challenges can impact the sustainability and success of the new city.

Assessing the promises made about scratch cities requires a comprehensive evaluation of these factors, considering the specific context, governance frameworks, stakeholder engagement, and long-term planning. It is essential to carefully balance the potential benefits with the concerns to ensure the development of successful and inclusive new cities.

Learn more about promises made about new cities from

https://brainly.com/question/32557505

#SPJ11

instructions: as acting quality engineer, you have been asked to prepare a control plan for a customer that requires the following specifications: a. inside diameter 1.673 /- 0.001 inches b. outside diameter 3.562 /- 0.005 inches c. thickness 0.875 /- 0.0005 inches

Answers

The awnser is cCccccc

Floating Point Representation
F-Assuming a three-bit exponent field and a four-bit significand, write the bit pattern for the following decimal values:
(i) -12.5
(ii) 13.0
G- Assuming a three-bit exponent field and a four-bit significand, what decimal values are represented by the following bit patterns?
(i) 1 111 1001
(ii) 0.001 0011
H- For the IEEE 754 single-precision floating point, write the hexadecimal representation for the following decimal values:
(i) -1.0
(ii) -0.0
(iii) 256.015625
I- For the IEEE 754 single-precision floating point, what is the number, as written in binary scientific notation, whose hexadecimal representation is the following?
(i) B350 0000
(ii) 7FE4 0000
(iii) 8000 0000

Answers

The response involves representation and interpretation of decimal numbers using a hypothetical floating-point format with a three-bit exponent and a four-bit significand, as well as the IEEE 754 single-precision floating-point format.

F- In a floating-point format with a three-bit exponent and a four-bit significand, (i) -12.5 would be 1 111 1000 and (ii) 13.0 would be 0 100 1100. G- Conversely, the decimal values represented by the patterns are (i) -1.5 and (ii) 1.5. H- In the IEEE 754 format, the hexadecimal representations are (i) BF800000 for -1.0, (ii) 80000000 for -0.0, and (iii) 43780000 for 256.015625. I- The binary scientific notations for these hexadecimal values are (i) 1.1011x2^3, (ii) 1.1111111111x2^127 (assuming this represents infinity), and (iii) -1.0x2^0 (assuming this is a negative zero). Floating-point format is a mathematical notation used in computer systems to represent real numbers.

Learn more about floating-point format here:

https://brainly.com/question/30650340

#SPJ11

7. write and execute a query that will remove the contract type ""time and materials"" from the contracttypes table.

Answers

To remove the contract type "time and materials" from the contracttypes table, you can use a SQL query with the DELETE statement. Here's a brief explanation of the steps involved:

1. The DELETE statement is used to remove specific rows from a table based on specified conditions.

2. In this case, you want to remove the contract type "time and materials" from the contracttypes table.

3. The query would be written as follows:

  ```sql

  DELETE FROM contracttypes

  WHERE contract_type = 'time and materials';

  ```

  - DELETE FROM contracttypes: Specifies the table from which rows need to be deleted (contracttypes table in this case).

  - WHERE contract_type = 'time and materials': Specifies the condition that the contract_type column should have the value 'time and materials' for the rows to be deleted.

4. When you execute this query, it will remove all rows from the contracttypes table that have the contract type "time and materials".

It's important to note that executing this query will permanently delete the specified rows from the table, so it's recommended to double-check and backup your data before performing such operations.

Learn more about query:

https://brainly.com/question/25266787

#SPJ11

For proper function hydraulics systems need a reservoir of which of the following?
A.) Compressible fluid
B.) Non-compressible fluid C.) Non-compressible air

Answers

A. Compressible fluid

Think of brake fluid on a vehicle, compressed as one applies the break= pressure to expand brake cylinders in the wheels which compress the pads on the wheel brake rotors.

Release brake and fluid relaxes back into the reservoir/accumulator.

Moment of Inertia about the x-axis is that considered when the bending moment is about the x-axis due to a shear force along the y-axis. If the bending moment is 565. 4, what is the bending stress about the x axis? (remember, use the value for the distance to the extreme fiber along the y-axis) [units] -----------If this section is frowning, when determining tension stress, what value of c should be used? (2 sig figs)

Answers

To calculate the bending stress about the x-axis, we need to know the values for the bending moment and the moment of inertia. In this case, the bending moment is given as 565.4.

The moment of inertia about the x-axis is a measure of an object's resistance to bending and can be determined using the appropriate formula for the given shape. To calculate the bending stress, we also need to know the distance to the extreme fiber along the y-axis. This distance is typically denoted as "c" and represents the distance from the neutral axis (the axis with no bending) to the outermost fiber of the object.

In the second part of your question, you mentioned determining tension stress. It is important to note that tension stress is not directly related to the bending moment or moment of inertia. Tension stress is typically calculated using the formula: Tension Stress = Force / Area To determine the value of "c" when calculating tension stress, you would need to consider the specific object or material being analyzed. The value of "c" would depend on the dimensions and geometry of the object.

To know more about moment of inertia visit:

https://brainly.com/question/30051108

#SPJ11

for fully developed laminar flow in a pipe how doees the average velocity compare to the velocity at the center of the pipe

Answers

In fully developed laminar flow in a pipe, the velocity profile is parabolic, meaning that the velocity is highest at the center of the pipe and decreases towards the walls.

The average velocity, also known as the mean velocity, is calculated by taking the integral of the velocity profile across the cross-section of the pipe and dividing it by the area of the cross-section.

Since the velocity profile is parabolic, the average velocity will be less than the velocity at the center of the pipe. This is because the velocity at the walls is zero, and the average velocity takes into account the lower velocities near the walls.

To summarize, in fully developed laminar flow, the average velocity is lower than the velocity at the center of the pipe due to the parabolic velocity profile.

To know more about velocity visit :

https://brainly.com/question/30559316

#SPJ11

In the United States, a bicyclist is killed:
A. (Every 12 hours
B. Every week
c. Every day
D. Every 6 hours

Answers

D I FOUND THE ANSWER

In the United States, it should be noted that a bicyclist is killed every six hours.

The cause of the accidents has been attributed to the rough driving of vehicle drivers and some faults are on the part of the cyclist as well.

Rapidly overtaking a bicycle is dangerous. Also, there are some vehicle drivers who drive into the lanes that are meant for cyclists. This isn't appropriate.

Drivers should ensure that they are not close to the cyclists when driving as there should be a space of at least 3 feet between the bicycle and the vehicle.

Furthermore, when there is a narrow traffic lane, the vehicle drivers should ensure that there's a clear traffic in the opposite lane before they change their lanes.

Lastly, both the cyclists and the vehicle drivers should not overspeed and drive safely.

Based in the information given above, the correct option is D.

Read related link on:

https://brainly.com/question/20937766

 In the United States, a bicyclist is killed:A. (Every 12 hoursB. Every weekc. Every dayD. Every 6 hours

Write a program to play the Card Guessing Game. Your program must give the user the following choices: - Guess only the face value of the card. - Guess only the suit of the card. - Guess both the face value and the suit of the card. Before the start of the game, create a deck of cards. Before each guess, use the function random_shuffle to randomly shuffle the deck.

Answers

how am I going to do this, I have a friend that might be able to help I will check

Per ASME Boiler and Pressure Code, what is the ruling regarding the requirement of a water column on all boilers?

Answers

According to ASME Boiler and Pressure Code, water columns are required on all steam boilers.

The purpose of a water column is to provide a visual indication of the water level in the boiler. This is important because if the water level in the boiler gets too low, it can cause damage to the boiler and be a safety hazard.

The ASME Boiler and Pressure Code sets safety standards for boilers and pressure vessels, and it requires water columns to be installed on all steam boilers. The water column typically consists of a vertical pipe with a valve at the bottom and a glass sight gauge at the top, which allows the operator to visually check the water level.

Additionally, some states and municipalities may have their own regulations regarding water columns and boiler safety, so it's important to be familiar with the relevant codes and standards in your area.

For more questions like Water click the link below:

https://brainly.com/question/28465561

#SPJ11

Which is one characteristic shared by electromagnetic and mechanical waves?

A. Both have a crest and a trough.
B. Both move due to particles bumping into each other.
C. Both are formed by charged particles.
D. Both occur as a result of a disturbance.

Answers

Answer:

its A

Explanation:

a 230v shunt motor delivers 30hp at the shaft at 1120rpm. if the motor has an efficiency of 87% at this load, determine: the total input power the line current

Answers

Shunt motors are direct current motors that have parallel windings with identical voltage. The total input power of the shunt motor is 25.724 kW and the line current will be 111.843 A.

What are input power and line current?

Total input power is the ratio of the output power and the efficiency, while the line current is the proportion of input power to an input voltage.

The total input power (total IP) is calculated as:

Given,

Output power (OP) = 30 hp

Efficiency = 0.87

Substituting values:

\(\begin{aligned}\text{Total IP} &= \rm \dfrac {OP}{efficiency}\\\\&= \dfrac {30 \times 746 \rm \;watts}{0.87}\\\\&= 25.724 \;\rm kW \end {aligned}\)

Line current is calculated as:

Given,

Input power (IP) = 25.724 kW

Input voltage (IV) = 230 Volt

Solving for line current:

\(\begin{aligned} \text{Line current} &= \rm \dfrac{IP}{IV}\\\\&= \dfrac{25.724 \times 10^{3}}{230}\\\\&= 111.843 \;\rm A \end{aligned}\)

Therefore, the total input power of the shunt is 25.724 kW, and the line current is 111.843 A.

Learn more about shunt motor here:

https://brainly.com/question/14177269

#SPJ1

The minimum number of 20-amp, 277-volt, lighting circuits required for a 150,000 ft2 department store is ___. The actual connected lighting load is 400 kVA. Assume breakers are not rated for continuous use.

Answers

Since we cannot have a fraction of a circuit, we round up to the nearest whole number. The minimum number of 20-amp, 277-volt lighting circuits required for the department store is 73.



where 1.73 is the square root of 3, which represents the three-phase power factor. Substituting the given values, we get:
Amps = 400,000 / (1.73 x 277) = 815.2 amps
Maximum load per circuit = 20 amps x 0.8 = 16 amps
Number of circuits = 815.2 / 16 = 50.95 or approximately 51 circuits
Extra circuits = 51 x 0.2 = 10.2 or approximately 10 circuits
Total circuits = 51 + 10 = 61 circuits
In long answer, the minimum number of 20-amp, 277-volt, lighting circuits required for a 150,000 ft2 department store with an actual connected lighting load of 400 kVA and assuming breakers are not rated for continuous use would be 61 circuits. This is calculated based on the total connected lighting load and the maximum load per circuit, while taking into account the safety factor of not exceeding 80% of the circuit capacity and adding extra circuits to avoid
First, let's convert the lighting load from kVA to VA:
400 kVA = 400,000 VA
Number of circuits = (400,000 VA) / (20 amps * 277 volts)
Number of circuits = 400,000 / 5,540
Number of circuits ≈ 72.2

To know more about fraction visit :-

https://brainly.in/question/47066693

#SPJ11

Determine the maximum deflection of the solid circular shaft. The shaft is made of steel having E = 200 GPa. It has a diameter of 100 mm. Use:
a) Method of integration
b) Method of superposition

Answers

The maximum deflection of the solid circular shaft can be determined using the method of integration and the method of superposition.

Let's look at each method.Method of integration The maximum deflection can be determined using the following formula;Δmax=FL^3/3EIwhere;F = force appliedL = Length of the shaftE = Modulus of elasticity of the shaftI = Moment of inertia of the shaftΔmax=FL^3/3EI= (1000 N)(2 m)^3/(3(200 GPa)(π/4)(0.05 m)^4)=0.0221 mmMethod of super positionThe shaft is made of steel having E = 200 GPa.

It has a diameter of 100 mm. The force applied at 1 m is 2000 N while the force applied at 2 m is 3000 N.The deflection at a distance of 1 m from the left end can be calculated as:Δ1=(FL^3)/(3EI)= (2000 N)(1 m)^3/[(3)(200 GPa)(π/64)(0.1 m)^4]= 0.0412 mmThe deflection at a distance of 2 m from the left end can be calculated as:Δ2=(FL^3)/(3EI)= (3000 N)(2 m)^3/[(3)(200 GPa)(π/64)(0.1 m)^4]= 0.339 mm

Therefore, the maximum deflection of the solid circular shaft is the deflection at a distance of 2 m from the left end, which is 0.339 mm.

To know more about maximum deflection visit:

https://brainly.com/question/18688482

#SPJ11

ANSER QUICKLY ONLY HAVE 2 HOURS ON THIS TEST

A system of symbols and pictures used to inform others on the life and culture of a civilization is known as

Answers

Answer:

It is known as (PCS)

Explanation:

That sounds a lot like:

hieroglyphics

(aka. a stylized picture of an object representing a word, syllable, or sound, as found in ancient Egyptian and other writing systems.)

The sun shining on a distribution panel has no effect on the breakers in the panel.A) True
B) False

Answers

A distribution panel's breakers are unaffected by the sun beaming on it. The assumption is incorrect.

What's an illustration of an assumption?

An assumption is really something you believe to be true despite the lack of evidence. People could presume, for instance, that you are a nerd if we wear spectacles, even when it is untrue.

What would you call assumptions?

Assumptions are untested beliefs that we have without even recognizing them. Our judgments, also known as inferences, are frequently founded on uncritically held presumptions. But a critical thinker is aware of these presumptions since they might occasionally be wrong or misinformed.

To know more about Assumptions visit :

https://brainly.com/question/17041979

#SPJ1

Which is an appropriate type of face and eye protection for resistance welding?

Answers

Answer:

While resistance welding you should wear clear grinding glasses, unbreakable plastic face shields or clear unbreakable plastic goggles. When resistance welding a #10, or more, shade lens should be worn. All hand and portable tools should be inspected for loose parts, cleanliness, or worn power cords.

Meter loading refers to inaccurate readings due to the meter’s resistance being in parallel with the component being tested.


a. true

b. false

Answers

b. false Meter loading refers to inaccurate readings due to the meter's resistance being in series with the component being tested, not in parallel.

When a meter is connected in series with a component, the meter's internal resistance creates a voltage drop that affects the measurement of the component's voltage or current.

The internal resistance of a meter forms a voltage divider with the component's resistance, causing a voltage drop across the meter itself. This voltage drop reduces the voltage or current being measured, leading to inaccurate readings. The extent of the error depends on the relative magnitudes of the meter's internal resistance and the component's resistance.

To minimize meter loading and obtain more accurate readings, meters with high input impedance (low internal resistance) are used. These high-impedance meters minimize the voltage drop across the meter and have minimal impact on the circuit being measured.

Learn more about inaccurate here

https://brainly.com/question/30365701

#SPJ11

When should a speaker use an interjection? please help if you would like brianleist! (no links and no dleting the answer tysm!!) :)

when he wants to show how two ideas are different from each other

when some listeners seem bored

when he wants to make a strong point about something

Answers

Interjections should be used by a speaker to emphasize differences between ideas, combat boredom, or make strong points.

When is it appropriate for a speaker to employ interjections?

Interjections serve as linguistic tools that speakers can utilize to enhance their communication and engage their audience effectively. They are most commonly employed in three distinct situations.

Firstly, a speaker may use an interjection to highlight the contrasting nature of two ideas or concepts. By injecting an interjection at a strategic moment, the speaker can emphasize the disparity between the thoughts being presented, thereby drawing attention to their divergent qualities. This technique allows the speaker to enhance the clarity and impact of their message, ensuring that the audience understands the differentiation being conveyed.Secondly, interjections can be employed when some listeners appear disengaged or bored. In such instances, the speaker may introduce an interjection to inject energy and captivate the attention of those who may have lost interest. By deploying interjections at appropriate intervals, the speaker can revive the audience's engagement and ensure active participation throughout the discourse.Lastly, interjections are particularly useful when a speaker intends to make a forceful or emphatic point about a particular subject. By utilizing an interjection to amplify the intensity or emotional weight behind their statement, the speaker can effectively communicate the significance of their message. This technique helps to create a lasting impression and emphasizes the speaker's conviction, thereby enhancing the overall impact of their communication.

Learn more about Interjections

brainly.com/question/1633224

#SPJ11

Match the following with the type of memory they are describing:
A. RAM
B. ROM
C. PROM
D. EPROM
E. EEPROM
F. FLASH
1. This memory can be programmed by the user instead of at the factory, and is read-only.
2. This memory is not only nonvolatile, but also can be erased by an electrical signal 1 byte at a time.
3. The contents of this memory are programmed one time when manufactured and are nonvolatile
4. This memory can be read from and written to, and is used by microcontrollers for variable data storage.
5. This memory is quite similar to the one described in 2. But allows for faster data access in blocks.
6. The contents of this memory will persist when the power is removed, but only UV can erase them.

Answers

Explanation:

1. This memory can be programmed by the user instead of at the factory and is read-only. - A. PROM. (PROGRAMMABLE MEMORY)

2. This memory is not only nonvolatile but also can be erased by an electrical signal 1 byte at a time. - E. EEPROM (ELECTRICALLY ERASABLE PROGRAMMABLE MEMORY)

3. The contents of this memory are programmed one time when manufactured and are nonvolatile. A. RAM

4. This memory can be read from and written to and is used by microcontrollers for variable data storage.  B. ROM (RANDOM ACCESS MEMORY)

5. This memory is quite similar to the one described in 2. But allows for faster data access in blocks. F. FLASH

6. The contents of this memory will persist when the power is removed, but only UV can erase them. D. EPROM (ERASABLE PROGRAMMABLE MEMORY)

Among tatal plane crashes that occurred during the past 50 years, 104 were due to pilot enor, 93 were due to other human erro, 390 were due to weather, 235 were dus to mechanical problems and 264 were due to sablage D Construct the relative frequency duribution. What is the most serious threat to aviation safety, and can anything be done about a CHILD Complete relative frequency distribution below Cause Relative Frequency Phot smo Other humanoor Methumical.prohiumம் Sabotage Round to one decimal placa as needed)

Answers

To construct the relative frequency distribution, we need to calculate the relative frequency for each cause of plane crashes based on the given data. The relative frequency is calculated by dividing the number of occurrences for each cause by the total number of plane crashes (which is the sum of all occurrences).

Cause Relative Frequency
Pilot error 104 / (104 + 93 + 390 + 235 + 264)
Other human error 93 / (104 + 93 + 390 + 235 + 264)
Weather 390 / (104 + 93 + 390 + 235 + 264)
Mechanical problems 235 / (104 + 93 + 390 + 235 + 264)
Sabotage 264 / (104 + 93 + 390 + 235 + 264)

Now let's calculate the values:

Cause Relative Frequency
Pilot error 104 / 1086 ≈ 0.0957
Other human error 93 / 1086 ≈ 0.0857
Weather 390 / 1086 ≈ 0.3595
Mechanical problems 235 / 1086 ≈ 0.2164
Sabotage 264 / 1086 ≈ 0.2437

To determine the most serious threat to aviation safety, we look for the cause with the highest relative frequency. In this case, the cause with the highest relative frequency is weather, which accounts for approximately 35.95% of the total plane crashes.

Regarding whether anything can be done about weather-related incidents, it's important to note that weather conditions are natural phenomena that can be unpredictable and challenging to control. However, aviation safety measures can be implemented to minimize the risks associated with adverse weather conditions. These measures include advanced weather monitoring systems, improved pilot training for dealing with weather-related challenges, and enhanced aircraft technology designed to withstand severe weather conditions.

Note: The relative frequencies have been rounded to four decimal places for ease of reading.

The relative frequency distribution of the total plane crashes that occurred during the past 50 years can be obtained as follows: Cause Number of Crashes Relative Frequency Pilot error 104 0.106 Other human error 93 0.095 .

Weather 390 0.398 Mechanical problems 235 0.240 Sabotage 264 0.270 Total 1,086 1.109 The most serious threat to aviation safety is weather, which caused 39.8% of all plane crashes. Yes, something can be done to minimize the effect of weather on aviation safety.

The best way to prevent weather-related plane crashes is to gather and disseminate as much information as possible about weather conditions and adjust flight plans and routes accordingly.

To know more about plane crashes visit:-

https://brainly.com/question/24159064

#SPJ11

A Composite Search Key (ie WHERE age = 10 AND name = "Yossarian") can make use of which indexes with partially matching attribute lists?
(select all that apply)
a. Hash index of single key (ie age)
b. Hash index of multiple keys (ie age, name, gender)
c. B+ Tree index of a single key (ie age)
d. B+ Tree index of multiple keys (ie age, name, gender)

Answers

A Composite Search Key (WHERE age = 10 AND name = "Yossarian") can make use of the indexes with partially matching attribute lists are:
b. Hash index of multiple keys (i.e., age, name, gender)
c. B+ Tree index of a single key (i.e., age)
d. B+ Tree index of multiple keys (i.e., age, name, gender)

The composite search key includes both the age and name attributes, so the indexes that cover these attributes (either individually or together) can be utilized to efficiently search for the desired records.

A composite search key, also known as a composite index or composite key, is a combination of two or more attributes used to create an index in a database. Instead of indexing a single attribute, a composite search key involves indexing multiple attributes together.

By creating a composite search key, you can improve the efficiency of searching and querying for records that involve multiple attributes. It allows you to define a specific combination of attribute values as a search criterion, enabling faster access to the desired data.

To know more about hash function, visit the link : https://brainly.com/question/31686793

#SPJ11

why is it difficult to dissolve cellulose in solvent that dissolve petroleum based polymers

Answers

The crystallinity of cellulose as well as its polar qualities makes it less difficult to dissolve. It has a three-dimensional hydrogen bond (H-bond) arrangement with the hydroxyl group connected to each polymer chain. On the other hand, Hydrocarbon polymers are nonpolar, and nonpolar solvents are used to dissolve them.

What exactly is cellulose?

Cellulose is an organic molecule with the formula n that is a polysaccharide made up of a linear chain of hundreds to thousands of β  linked D-glucose units. Cellulose is a structural component of the major cell wall of green plants, many algae, and oomycetes.

Cellulose is the principal component present in plant cell walls and aids in the plant's stiffness and strength. Although cellulose cannot be digested by humans, it is an essential source of fiber in the diet. Cellulose is utilized in the production of clothing and paper.

Learn more about Cellulose:
https://brainly.com/question/19014704
#SPJ1

Other Questions
map of europe after WW1 - 1918 By promoting the fact that avocados are good for you and can be used to make tasty snacks, the California Avocado Growers Exchange attempted to stimulate __________________________________________________. where there are positive externalities from having a particular product in a society, the government can make the quantity of the product approach the socially optimal level by doing the following exceptsubsidizing the buyers of the product.taxing the sellers of the product.subsidizing the sellers of the product.providing the product itself. Spam (junk e-mail) is a major annoyance for many people who use the internet. However spammers sometimes have to send thousands of messages to get just one response that pays money. Given this information: At cheap more super market,1 litre of fruit juice costs R25 and 1,5 litres cost R34 Which juice is cheaper. Show your calculation A refrigeration system reaches operational balance when the number of vapor molecules that condense into liquid equals the number of vapor molecules that the compressor pumps into the condenser.a. Trueb. False A popular user-oriented method is rapid application development (RAD), which resembles a condensed version of the entire SDLC, with users involved every step of the way.TrueFalse Complete this function, such that it receives a lowercase letter which is guaranteed, and returns an upper case letter:char to_upper(char c){}2) Complete this function, such that it receives an integer array and its length, and returns the index of the largest member. The length will not exceed the int limits.int arg_max(int nums[], int len){}3) Complete this function, such that it receives a char array with a length of 33 given and an unsigned integer and converts the integer into its binary format, and put the results into the char array.For example:5 => "00000000000000000000000000000101"void to_binary(char binary[], unsigned int n){} given an industry is producing the socially efficient output level, a tax placed on the industry will result in inefficiency because the market will produce group of answer choices too many units, as some units produced will have more productive costs than consumer value. too few units, giving up some units that have more productive costs than consumer value. too many units, as some units produced will have more consumer value than productive costs. too few units, giving up some units that have more consumer value than productive costs. Business level strategy addresses two related issues: what businesses should a corporation compete in and how can these businesses be managed so that they create synergy. True or False T/F. Positive experiences or emotions may trigger the use of food as a source of comfort, contributing to additional weight gain. A tetherball is on a 2.1 m string which makes an angle of 56 degree with the vertical as it moves around the pole in a horizontal plane. If the mass of the ball is 1.3 kg, what is the ball's speed? Two cars are driving away from an intersection in perpendicular directions. The first cars velocity isms 7 meters per second and the second cars velocity is 3 meters per second. At a certain instant, the first car is 5 meters from the intersection and the second car is 12 meters from the intersection. What is the rate of change of the distance between the cars at that instant? Question 10 0 / 1 pts What is the correct syntax to define a generic class with multiple bounded parameters? public class MyClass , Type2 extends > {...} public class MyClass {...} public class MyClass extends , Type2 > {...} O public class MyClass extends {...} the very first program was written in 1843 by [a], which was designed to execute on the theoretical hardware platform called the analytical engine, designed in 1842 by [b]. What is the area of this polygon in square units tail Company and Sales Wholesale Corporation enter into a contract for a sale of beach toys for $5,000. To be enforceable, the contract should be in writing and identify (No answer)the source of payment.the quantity.the terms of payment. please help me i need to know how many amino acids are different and what kind of mutation each mutated dna sequence is What were the terms of the agreement between the United States and the Soviet Union that resolved the Cuban missile crisis and its surrounding tensions?- The Soviet Union would remove its missiles in Cuba.- The United States would sell the Soviet Union its surplus wheat.- A "hotline" would be installed between Washington and Moscow for instant contact between leaders.- The United States would make a public pledge not to invade Cuba.- The United States would remove U.S. missiles from Italy and Britain.- The United States would agree in secret to remove its missiles from Turkey. Two vectors of magnitude 3 units and 4 units are at an angle 60degree between them. Find the magnitude of their difference