Which of the following is a requirement for the cost-effectiveness of an ice-storage system being retrofitted to an existing building that currently uses a chilled water system? Select one: O a. Cheap off-peak power rates O b. A tariff with a significant power factor penalty component c. The ability for the ice-storage system to make enough ice to meet the full cooling load during the next day O d. All of the above Why is the volume of water in chilled water storage systems generally much larger than the volume of water used in ice storage systems? Select one: O a. The energy stored in freezing a kilogram of water is much greater than the energy stored in cooling a kilogram of water by 10 degrees centrigrade O b. The energy stored in freezing a kilogram of water is much smaller than the energy stored in cooling a kilogram of water by 10 degrees centrigrade O C. Chilled water systems are much less efficient than ice storage systems O d. Water tanks are very much cheaper than ice storage tanks What is the purpose of the condenser in a chiller unit? Select one: O a. To remove heat from the chilled water supply b. To remove heat from the refrigerant in the chiller O c. To drop the pressure in the refrigerant circuit O d. To increase the pressure in the refrigerant circuit

Answers

Answer 1

To achieve cost-effectiveness, an ice-storage system retrofit requires cheap off-peak power rates, power factor penalties, and sufficient ice production for next-day cooling.

The volume of water in chilled water storage systems is generally much larger than the volume of water used in ice storage systems because the energy stored in freezing a kilogram of water is much greater than the energy stored in cooling a kilogram of water by 10 degrees Celsius. By utilizing ice storage, a smaller volume of water can store a significant amount of cooling energy due to the high latent heat of fusion associated with water freezing. This allows for more efficient and compact storage compared to chilled water systems. The purpose of the condenser in a chiller unit is to remove heat from the refrigerant in the chiller. As the refrigerant absorbs heat from the chilled water supply, it becomes a high-pressure gas. The condenser then works to release the heat from the refrigerant, causing it to condense back into a liquid state. This process is typically achieved through the use of a heat exchanger, which transfers the heat from the refrigerant to a separate medium, such as air or water, allowing the refrigerant to cool down and prepare for the next cycle of the cooling process.

Learn more about cost-effectiveness here:

https://brainly.com/question/19204726

#SPJ11


Related Questions

In which order encryption and MAC are applied in IPSec? In which order encryption and MAC are applied in SSL? Are these ordering mechanisms secure?

Answers

In IPSec, encryption is applied before MAC. This means that the data is first encrypted and then a MAC is generated from the encrypted data. This ordering mechanism is considered secure as it ensures that any changes to the data will be detected before decryption.

In SSL, the order of encryption and MAC depends on the cipher suite being used. However, most modern cipher suites apply encryption before MAC. This ensures that the data is first encrypted before a MAC is generated from it. This ordering mechanism is also considered secure as it provides integrity protection before decryption.

Overall, both ordering mechanisms are secure as they provide integrity protection and ensure that any changes to the data are detected before decryption. However, it is important to note that the security of any encryption and MAC mechanism depends on the strength of the cryptographic algorithms used and the implementation of the protocol.

Learn more about MAC here:

https://brainly.com/question/30464521

#SPJ11

who ever answers this gets 25 NON COSTLY points

Answers

Answer:

"cool"

Explanation:

what type of nuclear decay produces energy instead of a particle?

Answers

The type of nuclear decay that produces energy instead of a particle is nuclear fusion.

Nuclear fusion is a process in which two atomic nuclei join together to form a larger nucleus, releasing a significant amount of energy in the process. The energy produced is much greater than that produced by nuclear fission, which is another type of nuclear decay that involves the splitting of an atomic nucleus into smaller fragments. Nuclear decay is a process of spontaneous transformation of an unstable atomic nucleus to a more stable configuration accompanied by the release of energy or the emission of subatomic particles. There are several types of nuclear decay such as alpha decay, beta decay, and gamma decay. This question is concerned with the type of nuclear decay that produces energy instead of a particle. Nuclear fusion is a type of nuclear reaction that involves the merging of two atomic nuclei to form a single, more massive nucleus. During the process, a significant amount of energy is released in the form of light, heat, and radiation. This energy is the result of the conversion of a small portion of the mass of the atomic nuclei into energy, as predicted by Albert Einstein's famous equation, E = mc². Nuclear fusion is the energy source of stars like the Sun and other main-sequence stars. It is also being developed as a potential source of energy on Earth, through experiments like the International Thermonuclear Experimental Reactor (ITER) project, which aims to harness nuclear fusion to produce clean and sustainable energy.

In conclusion, the type of nuclear decay that produces energy instead of a particle is nuclear fusion. It is a process in which two atomic nuclei join together to form a larger nucleus, releasing a significant amount of energy in the process. Nuclear fusion is the energy source of stars like the Sun and other main-sequence stars and is being developed as a potential source of energy on Earth.

To learn more about nuclear fusion, visit:

https://brainly.com/question/14019172

#SPJ11

def ridge_fit_SGD(self, xtrain, ytrain, c_lambda, epochs=100, learning_rate=0.001): Args: xtrain: NxD numpy array, where N is number of instances and D is the dimensionality of each instance ytrain: Nx1 numpy array, the true labels Return: weight: Dx1 numpy array, the weights of linear regression model

Answers

In machine learning, a regression model is a mathematical model that predicts a continuous number or outcome based on input data. Ridge regression is a type of regularization technique that adds a penalty term to the cost function of a linear regression model.

Here's an explanation of the code provided:

def ridge_fit_SGD(self, xtrain, ytrain, c_lambda, epochs=100, learning_rate=0.001): Args: xtrain: NxD numpy array, where N is the number of instances and D is the dimensionality of each instance ytrain: Nx1 numpy array, the true labels Return: weight: Dx1 numpy array, the weights of the linear regression model.

The given code is used for ridge regression using stochastic gradient descent. Here, xtrain and ytrain are the training data and labels. c_lambda is the hyperparameter for the regularization term and epochs represent the number of iterations the algorithm will run. The learning_rate parameter represents the step size in gradient descent. The function returns the weights of the linear regression model.

Based on the provided function signature, it seems like you're trying to implement ridge regression using stochastic gradient descent (SGD). Here's an example implementation of the ridge_fit_SGD function:

import numpy as np

class RidgeRegressionSGD:

   def __init__(self):

       self.weights = None

   def ridge_fit_SGD(self, xtrain, ytrain, c_lambda, epochs=100, learning_rate=0.001):

       N, D = xtrain.shape

       self.weights = np.zeros((D, 1))  # Initialize weights with zeros

       for epoch in range(epochs):

           for i in range(N):

               x = xtrain[i].reshape((D, 1))

               y = ytrain[i]

               # Compute the gradient

               gradient = (-2 * x * (y - np.dot(x.T, self.weights))) + (2 * c_lambda * self.weights)

               # Update the weights using the learning rate and gradient

               self.weights -= learning_rate * gradient

       return self.weights

Here's how you can use this class to fit a ridge regression model using SGD:

# Create an instance of the RidgeRegressionSGD class

ridge_sgd = RidgeRegressionSGD()

# Generate some sample data

xtrain = np.random.rand(100, 5)

ytrain = np.random.rand(100, 1)

# Fit the ridge regression model

c_lambda = 0.1

epochs = 1000

learning_rate = 0.001

weights = ridge_sgd.ridge_fit_SGD(xtrain, ytrain, c_lambda, epochs, learning_rate)

In this example, 'xtrain' is a numpy array of shape (N, D) containing the training instances, 'ytrain' is a numpy array of shape (N, 1) containing the corresponding true labels. 'c_lambda' is the regularization parameter (ridge penalty) and epochs and 'learning_rate' are hyperparameters for the SGD algorithm.

The function returns a numpy array 'weights' of shape (D, 1) representing the weights of the linear regression model.

Learn more about  linear regression model at:

brainly.com/question/14585820

#SPJ11

Question #9
Multiple Choice
Which statement characterizes how the creation of LIMBS benefits developing countries?
O Using nanotechnology, a new material is created to benefit many other products
Using only natural materials, there is little chemical production, thus reducing the pollution in these countries
Using regional materials creates a sustainable program that breaks countries dependencies on other nations
Using fabricated materials, no natural resources are overfarmed, keeping the environment intact.
© 2014 Glynlyon, Inc.

Answers

Answer:

Using regional materials creates a sustainable program that breaks countries’ dependencies on other nations.

Explanation:

i did the assignment

Answer:

Using regional materials creates a sustainable program that breaks countries’ dependencies on other nations.

Explanation:

C

Problem 1 The force arm of a lever is 8 m long and the length of the load arm is 2 m. Calculate the force F needed to lift a 500 N load and find out the mechanical advantage of the lever.

Answers

Answer:

The force needed to lift a 500 newton-load is 125 newtons.

The mechanical advantage of the lever is 4.

Explanation:

Needed force is equal to the weight of the load. The Law of Lever, which is a particular case of the definition of Torque, states that force is inversely proportional to distance from fulcrum, that is:

\(F_{F} \cdot r_{F} = F_{L}\cdot r_{L}\) (1)

Where:

\(F_{F}\) - Needed force, in newtons.

\(r_{F}\) - Force arm, in meters.

\(F_{L}\) - Load force, in newtons.

\(r_{L}\) - Load arm. in meters.

The mechanical advantage of the lever (\(n\)), no unit, is determined by following formula:

\(n = \frac{F_{F}}{F_{L}}\) (2)

If we know that \(F_{F} = 500\,N\), \(r_{F} = 2\,m\) and \(r_{L} = 8\,m\), then the load force needed to lift is:

\(F_{L} = F_{F} \cdot \left(\frac{r_{F}}{r_{L}} \right)\)

\(F_{L} = 125\,N\)

The force needed to lift a 500 newton-load is 125 newtons.

And the mechanical advantage of the lever is:

\(n = 4\)

The mechanical advantage of the lever is 4.

technician a says that fuel pump modules are spring-loaded so that they can be compressed to fit into the opening. technician b says that they are spring-loaded to allow for expansion and contraction of plastic fuel tanks. who is right?

Answers

According to Technician A, fuel pump modules are spring-loaded so they can be compressed to fit the aperture.

Electric fuel pumps are often mounted in the fuel tank to utilize the fuel in the tank to cool the pump and ensure a steady supply of fuel. Each injector has a spring-loaded valve that is kept closed by the force of the spring. The valve doesn't open until fuel is squirted into it. The fuel pump driver module controls the voltage supplied to the fuel pump in a vehicle. By adjusting voltage, the module ensures ideal fuel pressure and flow to the engine throughout its entire operating range.

Learn more about voltage here-

https://brainly.com/question/29445057

#SPJ4

classify hp pavilion PC into digital and analog​

Answers

English words that are hard to read

(a) (6 points) Find the integer a in {0, 1,..., 26} such that a = -15 (mod 27). Explain. (b) (6 points) Which positive integers less than 12 are relatively prime to 12?

Answers

a. a = 12 is the solution to the given congruence relation. b. the positive integers less than 12 that are relatively prime to 12 are 1, 5, 7, and 11.

(a) The main answer: The integer a that satisfies a ≡ -15 (mod 27) is 12.

To find the value of a, we need to consider the congruence relation a ≡ -15 (mod 27). This means that a and -15 have the same remainder when divided by 27.

To determine the value of a, we can add multiples of 27 to -15 until we find a number that falls within the range of {0, 1,..., 26}. By adding 27 to -15, we get 12. Therefore, a = 12 is the solution to the given congruence relation.

(b) The main answer: The positive integers less than 12 that are relatively prime to 12 are 1, 5, 7, and 11.

Supporting explanation: Two integers are relatively prime if their greatest common divisor (GCD) is 1. In this case, we are looking for positive integers that have no common factors with 12 other than 1.

To determine which numbers satisfy this condition, we can examine each positive integer less than 12 and calculate its GCD with 12.

For 1, the GCD(1, 12) = 1, which means it is relatively prime to 12.

For 2, the GCD(2, 12) = 2, so it is not relatively prime to 12.

For 3, the GCD(3, 12) = 3, so it is not relatively prime to 12.

For 4, the GCD(4, 12) = 4, so it is not relatively prime to 12.

For 5, the GCD(5, 12) = 1, which means it is relatively prime to 12.

For 6, the GCD(6, 12) = 6, so it is not relatively prime to 12.

For 7, the GCD(7, 12) = 1, which means it is relatively prime to 12.

For 8, the GCD(8, 12) = 4, so it is not relatively prime to 12.

For 9, the GCD(9, 12) = 3, so it is not relatively prime to 12.

For 10, the GCD(10, 12) = 2, so it is not relatively prime to 12.

For 11, the GCD(11, 12) = 1, which means it is relatively prime to 12.

Therefore, the positive integers less than 12 that are relatively prime to 12 are 1, 5, 7, and 11.

Learn more about prime here

https://brainly.com/question/145452

#SPJ11

lets consider the following sets a={1,2,3,6,7} b={3,6,7,8,9}. find the number of all subsets of the set aub with 4 elements

Answers

The union of two sets A and B, denoted by A∪B, is the set that contains all the distinct elements of A and B.

To find the number of subsets of A∪B with 4 elements, we need to first determine the union of sets A and B. The union of sets A and B (A∪B) includes all unique elements present in either A or B.

A = {1, 2, 3, 6, 7}
B = {3, 6, 7, 8, 9}
A∪B = {1, 2, 3, 6, 7, 8, 9}

Now, we need to find the number of 4-element subsets of A∪B. We can use the combination formula:

C(n, k) = n! / (k! * (n - k)!)

Here, n is the total number of elements in A∪B (7), and k is the number of elements in each subset (4).

C(7, 4) = 7! / (4! * (7 - 4)!)
= 7! / (4! * 3!)
= 5040 / (24 * 6)
= 210 / 1

Therefore, there are 210 subsets of the set A∪B with 4 elements.

To know more about union of two sets visit:

https://brainly.com/question/29055360

#SPJ11

Hey guys can anyone list chemical engineering advancement that has been discovered within the past 20 years

Answers

Top 10 Emerging Technologies in Chemistry
Nanopesticides. The world population keeps growing. ...
Enantio selective organocatalysis. ...
Solid-state batteries. ...
Flow Chemistry. ...
Porous material for Water Harvesting. ...
Directed evolution of selective enzymes. ...
From plastics to monomers. ...

Is a 10 foot ladder long enough to safely reach a landing that is 9 feet above the adjacent floor

Answers

Answer:

Definitely not

Explanation:

You should have 1-2 feet of extra ladder on a flat surface so 1 foot on an adjacent floor is a no no

the fact that the dataset includes people who all live in the same zip code might get in the way of ____ . 1 point spreadsheet formulas or functions fairness accuracy data visualization

Answers

The fact that the dataset includes people who all live in the same zip code might get in the way of accuracy and fairness.

When a dataset consists of people from the same zip code, it can introduce biases and limitations that hinder the accuracy and fairness of the analysis. Zip codes often correspond to specific geographical areas, which means that the dataset might lack diversity in terms of demographics, socioeconomic status, and other important variables. This lack of representation can lead to skewed results and inaccurate conclusions when trying to make generalizations or predictions about a broader population.

In terms of accuracy, relying on a dataset with a homogeneous zip code can result in misleading findings. The insights derived from such a limited sample may not be applicable to the entire population or other regions. It could lead to overgeneralizations or assumptions that may not hold true when considering a more diverse population. Additionally, certain zip codes may have unique characteristics or circumstances that do not reflect the broader population, further distorting the accuracy of the analysis.

Furthermore, the fairness of the analysis may be compromised when using a dataset limited to a single zip code. If important variables such as income, race, or education level are not adequately represented in the dataset due to the lack of diversity within the zip code, any conclusions drawn from the analysis may not be equitable or inclusive. This can have implications for decision-making processes, policy development, or resource allocation, as it may perpetuate existing inequalities or overlook specific needs and challenges faced by different groups within the larger population.

Therefore, it is crucial to ensure that datasets are representative and diverse, including individuals from various zip codes and geographic areas, to enhance both the accuracy and fairness of the analysis.

Learn more about dataset here:
https://brainly.com/question/31190306

#SPJ11

Which three components must a admin select when configuring vSphere permissions? A. Inventory Object B. Role C. User/Group D. Privilege E. Password

Answers

When configuring vSphere permissions, an admin must select the following three components: A. Inventory Object, B. Role, and C. User/Group. These components define the scope of the permission, the level of access, and the entity to which the permission is applied.

1. Inventory Object: The admin needs to select the specific inventory object on which the permission will be applied. This could be a virtual machine, host, datastore, cluster, or other vSphere entity.

2. Role: The admin must choose the appropriate role that defines the set of privileges and permissions for the selected inventory object. Roles are pre-defined sets of permissions that determine what actions can be performed on the object.

3. User/Group: The admin needs to specify the user or group to which the permission is assigned. This can be an individual user account or a group of users with similar access requirements.

By selecting these three components, the admin can effectively configure permissions in vSphere. The combination of the inventory object, role, and user/group determines the level of access and control a user or group has over the specified vSphere resources. It allows the admin to define granular access controls, ensuring that users have the appropriate privileges to perform their required tasks while maintaining security and control over the environment.

Learn more about vSphere entity here:

https://brainly.com/question/29753010

#SPJ11

An adult inhales approximately 12 times per minute, taking in about 500. mL of air per breath. Oxygen and carbon dioxide are exchanged in the lungs, but no nitrogen is exchanged. The exhaled mole fraction of nitrogen is 0.75 and is saturated with water vapor at body temperature 37°C. The ambient conditions are 25°C and 50% relative humidity. What volume of liquid water (mL) would need to be consumed to over a two-hour period to replace the water loss from breathing?

Answers

8.46 mL volume of liquid water (mL) would need to be consumed to over a two-hour period to replace the water loss from breathing.

What is Volume?

The space occupied within an object's borders in three dimensions is referred to as its volume. It is sometimes referred to as the object's capacity.

Given that;

Volume of air taken in each inhalation = 500 mL = 0.5 L

Relative moisture = 50

At 25 oC, vapor pressure of water = 23.8 mm Hg

Relative moisture = partial pressure of water vapor/ vapor pressure of liquid

Partial pressure of water vapor = Relative moisture * vapor pressure of liquid = 23.8 *0.5 = 11.4 mm Hg

intelligencers of gas exhaled is given as

n = PV/ RT

n = 1 *0.5/(0.0821 *( 37273.15)

n = 0.0196 intelligencers of gas/ 12minutes

For two hour period = 2 * 60 = 120 twinkles

intelligencers of air needed in 120 twinkles = 120 *0.0196/ 12 = 0.196 intelligencers of air

operative bit of nitrogen = 0.75

intelligencers of nitrogen = operative bit * total intelligencers = 0.75 *0.196 = 0.147 intelligencers

Partial pressure of water vapor/ partial pressure of nitrogen = intelligencers of water vapor/ intelligencers of nitrogen/(0.75 * 1) = intelligencers of water vapor/0.147

intelligencers of water vapor = 11.4 *0.147/0.75 = 2.2344 intelligencers of water = 2.2344 * 18 gm = 40.22 gm

viscosity of water = 1 g/ mL

Volume of water = 40.22/ 1 = 40.22 mL

When the person is in airplane:

Relative moisture = 10

Partial pressure of water vapor = 23.8 *0.1 = 2.38 mmHg /0.75  = intelligencers of water vapor/0.147

intelligencers of water vapor = 2.38 *0.147/0.75 = 0.47 intelligencers = 0.47 * 18 = 8.46 gm

Volume of water = 8.46/ 1 = 8.46 mL

Learn more about Volume click here:

https://brainly.com/question/20725746

#SPJ1

Question 2 Resilience engineering is concerned with adverse external events that can lead to system failure. Resilient systems are flexible and adaptable so that they can cope with the unexpected. As a software engineer you need to educate system developers of four characteristics as outlined by Hollnagel (2010) that reflect the resilience of an organisation. Make sure to also include an example for each characteristic

Answers

These four characteristics, as outlined by Hollnagel (2010), are critical in developing resilient systems that can cope with unexpected situations and adverse external events. Software engineers must educate system developers about these characteristics to develop more resilient systems.

Resilience engineering is about developing adaptable systems that can handle unexpected situations and are able to cope with the effects of adverse external events that might cause system failure. As a software engineer, you need to inform system developers about the following four characteristics that reflect the resilience of an organization, as described by Hollnagel (2010):Maintainability: This characteristic reflects the degree to which a system can be maintained or repaired after it has been damaged. In other words, it assesses the system's ability to remain in good working order or quickly recover from damage. An example of maintainability would be the ability to quickly repair an engine that has been damaged during an accident.Flexibility: This characteristic reflects the degree to which a system can be modified or adapted to cope with changing circumstances. Flexibility is essential for resilience because it enables a system to respond to new challenges and adapt to different circumstances. An example of flexibility would be the ability to change the specifications of a car to adapt to different driving conditions.Redundancy: This characteristic reflects the degree to which a system can continue to function even if some of its components fail. Redundancy is important because it ensures that the system can continue to operate even if one or more components are not working properly. An example of redundancy would be having a backup generator in case the primary generator fails.Responsiveness: This characteristic reflects the degree to which a system can respond to changing circumstances or threats. Responsiveness is important because it enables a system to quickly and effectively respond to unexpected events. An example of responsiveness would be the ability of an air traffic control system to quickly respond to changing weather conditions to ensure the safety of airplanes in the area.

To know more about Software engineers, visit:

https://brainly.com/question/7097095

#SPJ11

in arizona, photovoltaic (pv) panels can generate an average annual power of 1 mw/acre. if there are 305 sunny days per year in arizona, but only 158 sunny days per year in pennsylvania, how much average power (in mw/acre) could the same pv panels generate in pennsylvania? please include two decimal places in your answer. note: assume that a cloudy day delivers 0 watts/acre of solar power. this is not true, but it simplifies the problem for us.

Answers

0.51  MW/acre is the average power (in mw/acre) could the same pv panels generate in pennsylvania.

What is average power?

The average power is the ratio of total effort or activity performed by the body to total time spent by the body. Average power is computed by dividing total energy expended by total time spent.

Given Data :-  

Average annual power generation in Arizona =1MW/acre

Number of sunny days in Arizona per year = 311

Number of sunny days in  Pennsylvania per year=160

To Find:-

Average annual power generation in Pennsylvania = ?

Solution:- As there is zero power generation on a cloudy day we will only calculate for the sunny days.

Therefore by crossmultiplying the values we get,

X = (160 * 1 ) 311

X = 0.51  MW/acre

To learn more about average power
https://brainly.com/question/23877489

#SPJ4

As a new engineer hired by a company, you are asked evaluate an existing separation process for ethyl alcohol (ethanol) and water. In the current distillation process an ethanol-water mixture at ambient pressure the products are a distillate of near-azeotropic composition (89.4 mol% ethanol) and a bottoms of nearly pure water. Based on differences in the physical properties of ethanol and water, explain how the following operations may be able to recover pure ethanol from the distillate:

a. Extractive distillation.
b. Azeotropic distillation.
c. Liquid-liq- uid extraction.
d. Crystallization.
e. Pervaporation.
f. Adsorption.

Answers

C. Liquid- liq uid extraction

Let X and Y be independent Bernoulli variables such that P(X = 1) = p, P(Y = 1) = q for some 0 ≤ p, q ≤ 1. Find P(X ⊕2 Y = 1)

Answers

Answer:

dddddddddddddddddddddddddddddddddddddd

Explanation:

Which aspects of building design can a structural engineer influence, to achieve a sustainable project? Mention 4 different aspects, writing a few words to describe how he/she can influence each.

Answers

The structural engineer can influence several aspects of building design to achieve a sustainable project. Here are four different aspects and how they can be influenced: Material Selection, Energy Efficiency,  Renewable Energy Integration,  Water Management.



1. Material Selection: The structural engineer can suggest the use of sustainable materials like recycled steel or timber, which have a lower carbon footprint compared to traditional materials. This choice can reduce the environmental impact of the building.

2. Energy Efficiency: By designing the building with efficient structural systems, such as optimized building envelopes and effective insulation, the structural engineer can help reduce the building's energy consumption. This can be achieved by minimizing thermal bridging and ensuring proper insulation installation.

3. Renewable Energy Integration: The structural engineer can influence the design to incorporate renewable energy systems such as solar panels or wind turbines. They can suggest suitable locations for the installation of these systems, considering factors like load-bearing capacity and structural stability.

4. Water Management: The structural engineer can play a role in designing rainwater harvesting systems or greywater recycling systems. They can provide input on structural considerations such as storage tanks, drainage systems, and plumbing infrastructure to effectively manage and conserve water resources.

By considering and incorporating these aspects into the building design, the structural engineer can contribute to achieving a more sustainable project.

Learn more about water management:

brainly.com/question/30309429

#SPJ11

You have five gears meshed to each other running in line. The first gear Z=100, second Gear Z= 50, third gear

Answers

Answer:

25

Explanation:

ways of representing spot speed ​

Answers

Answer:

stopwatch method- measures the speed between two points.

radar meter method- uses electromagnetic waves that bounces off of an object causing the wave to change frequency to calculate the speed of the object with a radar machine.

pneumatic road tube method- uses two different tubes to record the time it takes to start and pass through the end line to calculate the speed of the object.

For a PTC with a rim angle of 80º, aperture of 5.2 m, and receiver diameter of 50 mm,
determine the concentration ratio and the length of the parabolic surface.

Answers

The concentration ratio for the PTC is approximately 1.48, and the length of the parabolic surface is approximately 5.2 meters.

To determine the concentration ratio and length of the parabolic surface for a Parabolic Trough Collector (PTC) with the given parameters, we can use the following formulas:

Concentration Ratio (CR) = Rim Angle / Aperture Angle

Length of Parabolic Surface (L) = Aperture^{2} / (16 * Focal Length)

First, let's calculate the concentration ratio:

Given:

Rim Angle (θ) = 80º

Aperture Angle (α) = 5.2 m

Concentration Ratio (CR) = 80º / 5.2 m

Converting the rim angle from degrees to radians:

θ_rad = 80º * (π / 180º)

CR = θ_rad / α

Next, let's calculate the length of the parabolic surface:

Given:

Aperture (A) = 5.2 m

Receiver Diameter (D) = 50 mm = 0.05 m

Focal Length (F) = A^{2} / (16 * D)

L = A^{2} / (16 * F)

Now we can substitute the given values into the formulas:

CR =\((80º * (π / 180º)) / 5.2 m\)

L = \((5.2 m)^2 / (16 * (5.2 m)^2 / (16 * 0.05 m))\)

Simplifying the equations:

CR ≈ 1.48

L ≈ 5.2 m

Therefore, the concentration ratio for the PTC is approximately 1.48, and the length of the parabolic surface is approximately 5.2 meters.

For more questions on concentration ratio

https://brainly.com/question/29803449

#SPJ8

Select the four areas in which environmental engineers assist manufacturers with making decisions.

energy

pollution

money

time

development

creativity

Personally, I did the first 4, since pollution is a big factor, money and time can be helped with by making decision matrixes (usually done by the engineers to help the client) and energy, since that could also be decided using a decision matrix. Thank you for your help!

Answers

Answer:

In my opinion, Energy, Time, Money and Development

Answer:

Pollution, time, money, and energy.

Explanation:

the head development engineer calls to indicate he wants to make a small change to one of the programs that controls the shopping cart application that is used to conduct e-commerce. he indicates that he has tested the change on his system and it worked fine. using a scale of low to high, write a report explaining what risk and impact you would assign to this change and why.

Answers

The risk and impact assigned to the change requested by the head development engineer would be moderate.

Making changes to a program that controls a critical application like the shopping cart used for e-commerce carries inherent risks. While the engineer claims to have successfully tested the change on his system, it is essential to consider potential risks and impacts before implementing it on a live environment.

On the risk scale, the change can be considered moderate due to several factors. Firstly, even though the engineer tested the change on his system, it might not account for all possible scenarios and configurations in the live environment. This increases the risk of unforeseen issues arising when the change is implemented on a larger scale. Additionally, any modification to a core component like the shopping cart application can have a cascading effect on other areas of the system, potentially leading to compatibility or functionality issues.

Regarding the impact, a moderate rating is assigned because the change pertains to the shopping cart application, which directly affects the e-commerce process. Any issues or downtime related to the shopping cart can negatively impact customer experience, sales, and revenue. However, since the change is described as small and the engineer claims it worked fine in his test environment, the potential impact is not considered high.

In conclusion, while the requested change is not without risk and impact, it falls within a moderate range. It is recommended to proceed cautiously, following proper testing and quality assurance protocols before deploying the change to the live system.

Learn more about assessing risk and impact

brainly.com/question/33602752

#SPJ11

Seth wants to build a wall of bricks. Which equipment will help him in the process?
OA masonry pump
OB. hacksaw
OC. mortar mixer
OD. pressurized cleaning equipment

Answers

C. mortar mixer

i took masonry for 2 years. hope this helps!

Substance X is known to exist at 1 atm in the solid, liquid, or vapor phase, depending on the temperature. Additionally, the values of these other properties of X have been determined: melting point boiling point 50. °C 15. °C 9.00 kJ/mol enthalpy of fusion enthalpy of vaporization 49.00 kJ/mol density 2.30 g/cm (solid) 1.70 g/mL (liquid) heat capacity 39. JK 'mol (solid) 62. JK 'mol' (liquid) 48. JK 'mol '(vapor) You may also assume X behaves as an ideal gas in the vapor phase. Suppose a small sample of X at -20 °C is put into an evacuated flask and heated at a constant rate until 8.0 kJ/mol of heat has been added to the sample. Graph the temperature of the sample that would be observed during this experiment. 5 ?

Answers

As given, Substance X exists in the solid, liquid, or vapor phase depending on temperature, and the other properties of X are melting point = 50°C, boiling point = 15°C, enthalpy of fusion = 9.00 kJ/mol, enthalpy of vaporization = 49.00 kJ/mol, density (solid) = 2.30 g/cm³, density (liquid) = 1.70 g/mL, heat capacity (solid) = 39 JK⁻¹ mol⁻¹, heat capacity (liquid) = 62 JK⁻¹ mol⁻¹, heat capacity

(vapor) = 48 JK⁻¹ mol⁻¹, and we may assume X behaves as an ideal gas in the vapor phase. We need to graph the temperature of the sample that would be observed during this experiment, where a small sample of X at -20 °C is put into an evacuated flask and heated at a constant rate until 8.0 kJ/mol of heat has been added to the sample.

Initially, Substance X is in the solid phase and exists at -20°C.

The sample is then heated and undergoes a phase transition at its melting point of 50°C. The heat that is added is used to provide energy to Substance X to undergo a phase change from solid to liquid.

Since X behaves as an ideal gas in the vapor phase, it means that the heat that is added to Substance X is first used for melting and then for vaporization of Substance X.

To know more about depending visit:

https://brainly.com/question/30094324

#SPJ11

_______________ gas is produced when a battery is being charged or discharged. Group of answer choices None of the above Hydrogen Acetylene Nitrogen

Answers

Answer:

Hydrogen gas

Explanation:

When a battery such as lead acid battery is being charged or discharged, it produces hydrogen gas. This gas is produced by the electrolysis of water from the aqueous solution of sulfuric acid.  

Therefore, when batteries are being charged or discharged, they generate hydrogen gas that is not toxic but explosive in high concentrations in air.

The correct answer is "Hydrogen gas"

Hey everyone!

This question is hard.
What specific fluid goes in the windshield wipers? (I never drove a car before)
And how much to put in fluid ounces? (So you don't blow a car up)

Answers

Hello!
I’ve never driven either. But I’m pretty sure there is not really specific fluid you have to use. Just to name a few are Rain-X Bug Remover Windshield Washer Fluid, Prestone AS657 Deluxe 3-in-1 Windshield Washer Fluid.
For how much, there should be a little line or 3/4th of the way full.

Hope this helps!

Answer:

What specific fluid goes in the windshield wipers.

Distilled water

How much to put in fluid ounces?

There should be a tiny bit more than 3/4 of the way full.

charging method .Constant current method​

Answers

Answer:

There are three common methods of charging a battery; constant voltage, constant current and a combination of constant voltage/constant current with or without a smart charging circuit.

Constant voltage allows the full current of the charger to flow into the battery until the power supply reaches its pre-set voltage.  The current will then taper down to a minimum value once that voltage level is reached.  The battery can be left connected to the charger until ready for use and will remain at that “float voltage”, trickle charging to compensate for normal battery self-discharge.

Constant current is a simple form of charging batteries, with the current level set at approximately 10% of the maximum battery rating.  Charge times are relatively long with the disadvantage that the battery may overheat if it is over-charged, leading to premature battery replacement.  This method is suitable for Ni-MH type of batteries.  The battery must be disconnected, or a timer function used once charged.

Constant voltage / constant current (CVCC) is a combination of the above two methods.  The charger limits the amount of current to a pre-set level until the battery reaches a pre-set voltage level.  The current then reduces as the battery becomes fully charged.  The lead acid battery uses the constant current constant voltage (CC/CV) charge method. A regulated current raises the terminal voltage until the upper charge voltage limit is reached, at which point the current drops due to saturation.

Other Questions
new concepts are best learned if they are connected to: a. personal and cultural experiences. b. a teacher-directed curriculum. c. current events. d. a child-centered curriculum Please help explanation if possible At constant atmospheric pressure, the temperature of a gas that occupies a volume at 5.30L is 298K. What is the temperature of the gas if it is allowed to expand to 7.60L?A 7.80KB 135KC 208KD 427K One measure used to slow the infection rate of Covid-19 was the order to shelter in place. This force many workers to begin working from home. How does this new working format introduce security risks to organization? howard cho has been hired by greenwood enterprises to work on an assembly line in its small engine division. he understands that he will be on probation for 30 days and then must join the union. cho enterprise has a(n What connects the gears together inside the mill to make the machines work? What is the oxidation state of O in NO?OA. +2OB. -2O C. OOD. -4 During patient consultations, Dr. Peters likes to get a sense of their daily routine and eating habits. In some cases, he recommends that they visit a dietitian. What is Dr. Peters effectively promoting?A. personal hygieneB. healthy habitsC. ethics and moralsD. decision making The following information was obtained from the records of Shae Inc.:______.Retained earnings, July 31, 2017. . . . . . . . . $31,700 Cost of goods sold. . . . . . . . . . $137,600 Accounts receivable. . . . . . 28,000 Cash. . . . . . . . . . . . . . . . . . . 26,200 Net revenues. . . . . . . . . . . 189,000 Property and equipment, net. . 19,000 Total current liabilities. . . . . 52,600 Common stock. . . . . . . . . . . . . 23,500 All other expenses. . . . . . . . 24,000 Inventories. . . . . . . . . . . . . . . . . 40,000 Other current assets. . . . . . . 4,700 Long-term liabilities. . . . . . . . . . 6,800 Other assets. . . . . . . . . . . . . 24,100 Dividends. . . . . . . . . . . . . . . . . . 0Except as otherwise indicated, assume that all balance sheet items reflect account balances at December 31, 2019, and that all income statement items reflect activities that occurred during the year ended December 31, 2019. There were no changes in paid-in capital during the year.Required:Prepare an income statement and statement of changes in stockholders equity for the year ended December 31, 2019, and a balance sheet at December 31, 2019, for Shae Inc. Based on the financial statements that you have prepared for part a, answer the questions in parts be.What is the company's average income tax rate?What interest rate is charged on long-term debt? Assume that the year-end balance of long-term debt is representative of the average long-term debt account balance throughout the year.What is the par value per share of common stock?What is the company's dividend policy (i.e., what proportion of the company's earnings is used for dividends)? Read the excerpt.People who think clearly would never vote against year-round school. The only people arguing against it selfishly want to take long summer vacations. Year-round school will instead address the very serious problem of students falling behind in school during the summer. Teachers will waste less time reteaching what students learned the year before. Shorter but more frequent breaks will give students the time off they need and teachers time to plan. There are really no downsides. What bias is most evident about year-round school in this excerpt?The author thinks that year-round school is unfair to teachers, not students. The author believes that year-round school will benefit teachers and students. The author thinks that year-round school will provide more breaks. The author believesthat year-round school causes time to be wasted. marking brainlist for whoever gets it right first Solve the equation. Check your answers. |y-5|-2=10 what are reflex angles? I don't know what they are so just tell me in the most simple way possible of what reflex angles are so I can understand plz. Also can you tell in the simplest way how to solve a reflex angle problem? Thank you, Have a good day :) Which could be a step used when solving the equation 5x + 10 = 7.5x PLEASE HELP what does the wording of the declaration of independence tell you about what was important to its writers and signers Which of the following people live around Mount Everest and help people climb the mountain?A.MuslimsB.government officials from TibetC.HindusD.Sherpas (6x-5) -(3x-2)Can someone please help me with this question? please solve ASAP! thank you!Convert the angle from degrees, minutes, and seconds to Decimal Degrees; (and round your result to the nearest hundredth of a degree) \( 18^{\circ} 43^{\prime} 48^{\prime \prime} \) I need help with this question H for the reaction IF5 (g) IF3 (g) + F2 (g) is ________ kJ, give the data below. IF (g) + F2 (g) IF3 (g) H = -390 kJ IF (g) + 2F2 (g) IF5 (g) H = -745 kJ