A student is a person, and so is an employee. Create a class Person taht has the data attributes common to both students and employees (name, social security number, age, gender, address, and telephone number) and appropriate method definitions. A students has a grade-point average (GPA), major, and year of graduation. An employee has a department, job title, and year of hire. In addition, there are hourly employees (hourly rate, hours worked, and union dues) and salaried employees (annual salary). Define a class hierarchy and write an application class that you can use to first store the data for an array of people and then display that information in a meaningful way.
After you create a class Person, write a test program demonstrating how it is used. Upon launching, the program should store a few records of different kind and then allow for entering additional data by the user.

Answers

Answer 1

Here's an example implementation of the classes described:

How to implement the class

class Person:

   def __init__(self, name, ssn, age, gender, address, telephone_number):

       self.name = name

       self.ssn = ssn

       self.age = age

       self.gender = gender

       self.address = address

       self.telephone_number = telephone_number

class Student(Person):

   def __init__(self, name, ssn, age, gender, address, telephone_number, gpa, major, graduation_year):

       super().__init__(name, ssn, age, gender, address, telephone_number)

       self.gpa = gpa

       self.major = major

       self.graduation_year = graduation_year

class Employee(Person):

   def __init__(self, name, ssn, age, gender, address, telephone_number, department, job_title, hire_year):

       super().__init__(name, ssn, age, gender, address, telephone_number)

   

class HourlyEmployee(Employee):

   def __init__(self, name, ssn, age, gender, address, telephone_number, department, job_title, hire_year, hourly_rate, hours_worked, union_dues):

       super().__init__(name, ssn, age, gender, address, telephone_number, department, job_title, hire_year)

       self.hourly_rate = hourly_rate

       self.hours_worked = hours_worked

       self.union_dues = union_dues

class SalariedEmployee(Employee):

   def __init__(self, name, ssn, age, gender, address, telephone_number, department, job_title, hire_year, annual_salary):

       super().__init__(name, ssn, age, gender, address, telephone_number, department, job_title, hire_year)

       self.annual_salary = annual_salary

Read more on Python class here https://brainly.com/question/264971283

#SPJ4


Related Questions

by 2020, how many devices are expected to be connected to the internet worldwide? select one: a. 50 billion b. 21 billion c. 5 billion d. 12 billion

Answers

By 2020, 50 billion devices are expected to be connected to the internet worldwide. Option a is correct.

The Internet of Things (IoT) is a concept that refers to the connection of everyday items to the internet and to one another. It is a vast system of devices, computers, and other items with built-in sensors that collect and share data with one another.

These sensors communicate with one another, exchanging data with one another and with us, to create new digital experiences. In simpler words, IoT is a network of connected devices that communicate with one another to perform everyday tasks.

The goal of IoT is to make everyday items more intelligent by connecting them to the internet and allowing them to share data. It is anticipated that by 2020, 50 billion devices will be connected to the internet worldwide.

Therefore, a is correct.

Learn more about internet https://brainly.com/question/16721461

#SPJ11

1- Reflect on how you engaged your team members and facilitated their contribution to the project?
2- Reflect on what you did to foster a constructive team climate?
3- Reflect on your response to conflicts among your team during the project?
4- Reflect on your contribution to discussions and offering ideas during the project?
5- Reflect on how you supported your team members by offering them some Professional Development opportunities?

Answers

1. Engaging the team members and facilitating their contribution to the projectOne of the significant ways I engaged my team members was through building and establishing relationships. I focused on learning about their strengths and weaknesses and was deliberate in assigning roles and tasks.

I allowed team members to take charge of particular aspects of the project, which gave them a sense of ownership and pride in their contribution. Also, I was readily available for consultation, feedback, and motivation, which created an environment of trust and respect.2. Fostering a constructive team climateI fostered a constructive team climate by setting clear expectations and goals for the team and providing the necessary resources to achieve them. I promoted open communication and encouraged collaboration and teamwork. I also acknowledged individual and team accomplishments, which fostered positive morale and motivation.

Finally, I created a safe space for team members to share their thoughts and opinions, which fostered creativity and innovation.3. Responding to conflicts among the teamDuring the project, conflicts arose between team members. My response was to listen to all parties' concerns and views and identify the root cause of the conflict. I sought to resolve the conflict through negotiation and compromise and ensured all parties were satisfied with the resolution.

For example, I recommended relevant professional development courses and conferences that could benefit their career growth. I also created a platform for them to share their learnings and encouraged them to apply new skills to the project. Finally, I provided regular feedback and recognized their progress.

To know more about contribution visit :

https://brainly.com/question/32608937

#SPJ11

P4.5 Write a program that reads a set of floating-point values. Ask the user to enter the values, then print the average of the values. • the smallest of the values. the largest of the values the range, that is the difference between the smallest and largest P4.6 Translate the following pseudocode for finding the minimum value from a set of Inputs into a Python program. Set a Boolean variable "first" to true. While another value has been read successfully If first is true Set the minimum to the value. Set first to false. Else if the value is less than the minimum Set the minimum to the value Print the minimum 1.30 Currency conversion. Write a program that first asks the user to type today's price for one dollar in Japanese yen, then reads U.S. dollar values and converts each to yen. Use 0 as a sentinel 2 Your company has shares of stock it would like to sell when their value exceeds a certain target price. Write a program that reads the target price and then reads the current stock price until it is at least the target price. Your program should read a sequence of floating point values from standard input. Once the minimum is reached, the program should report that the stock price exceeds the target price,

Answers

Here is the program that reads a set of floating-point values, asks the user to enter the values, then print the average of the values, the smallest of the values, the largest of the values, and the range that is the difference between the smallest and largest

# Reading valuesv = []n = int(input("Enter the number of elements in the list:"))

for i in range(0, n):

element = float(input("Enter element: "))

v.append(element)

# Finding smallest, largest, and the range of values

print("The smallest value is ", min(v))

print("The largest value is ", max(v))

print("The range of the values is", max(v) - min(v))

# Calculating the average value of values

print("The average value is ", sum(v) / n)

P4.6:Here is the translated Python program for finding the minimum value from a set of inputs using pseudocode provided:is_first = Truewhile True:    try:  

    val = float(input("Enter a value: "))  

except ValueError:        break    if is_first:  

    min_val = val        is_first = False    elif val < min_val:        min_val = valprint("The minimum value is", min_val)

1.30:Here is the program that first asks the user to type today's price for one dollar in Japanese yen, then reads U.S. dollar values and converts each to yen:

# Converting USD to JPY

today_price = float(input("Enter today's price for one dollar in Japanese yen: "))

while True:    usd = float(input("Enter a U.S. dollar value: "))

  if usd == 0:  

    break    jpy = today_price * usd    print("JPY value:", jpy)Your company has shares of stock it would like to sell when their value exceeds a certain target price.

Here is the program that reads the target price and then reads the current stock price until it is at least the target price. Once the minimum is reached, the program reports that the stock price exceeds the target price:

# Reading stock prices and checking against target target = float(input("Enter the target price: "))

while True:    price = float(input("Enter the stock price: "))  

 if price >= target:    

   print("The stock price exceeds the target price.")        break

To know more about program visit:

brainly.com/question/14983580

#SPJ11

The County Commissioner's Court O hears all appellate cases at the county level O passes a great deal of important legislation O oversees city governments within the county is limited in function unless special legislative permission is granted

Answers

The statement is false. The County Commissioner's Court does not have the authority to hear appellate cases at the county level.

Its primary role is to handle administrative and legislative functions within the county. This includes passing local ordinances, managing the county's budget, overseeing county departments and services, and making decisions related to infrastructure and public projects. The court may also have limited judicial responsibilities, such as presiding over certain civil and administrative hearings, but it does not have jurisdiction over appellate cases. Appellate cases are typically heard by higher-level courts, such as state appellate courts or federal courts, which have the authority to review and decide on appeals from lower courts.

learn more about  appellate  here

https://brainly.com/question/29766399

#SPJ11

Discuss description, root causes and remedies of the following distresses in flexible pavements (A) Fatigue cracking (B) Rutting (C) Raveling (D) Pothole

Answers

Fatigue crack in flexible pavements is caused by repeated loading and results in interconnected cracks. It is influenced by inadequate thickness, poor materials, heavy traffic, and environmental factors.

(A) Fatigue cracking:

Fatigue cracking is a common distress in flexible pavements characterized by interconnected cracks caused by repeated loading. This cracking occurs due to the cumulative damage from repeated vehicle loads, leading to the development of fine cracks that eventually spread and connect.

To remedy fatigue cracking, preventive measures should focus on improving pavement design and construction. Increasing the thickness of the asphalt layer and using high-quality materials can enhance the pavement's resistance to fatigue.

(B) Rutting:

Rutting refers to the permanent deformation or depression in the wheel path of a flexible pavement. It occurs primarily due to a combination of traffic loads and inadequate pavement structure. The main root causes of rutting include weak subgrade soils, insufficient pavement thickness, inadequate compaction, and high traffic volumes.

Remedies for rutting involve a combination of preventive and corrective measures. Proper pavement design considering traffic loads and subgrade conditions is essential to prevent rutting. Strengthening the subgrade by methods like soil stabilization can help improve its bearing capacity.

(C) Raveling:

Raveling is the gradual disintegration of asphalt pavement, leading to the loss of aggregate particles and the exposure of underlying layers. This distress is primarily caused by the detachment of the asphalt binder from the aggregate due to aging, traffic, moisture intrusion, or poor construction practices.

Regular maintenance, such as sealing cracks and applying surface treatments like seal coats or thin overlays, can help protect the pavement from moisture intrusion and prevent further deterioration. Timely repair of localized raveling is also necessary to prevent its spread and extend the pavement's lifespan.

(D) Pothole:

Potholes are localized failures in the pavement surface, forming depressions or cavities. They occur due to a combination of factors, including traffic loads, moisture infiltration, freeze-thaw cycles, and underlying pavement weaknesses caused by fatigue, rutting, or raveling.

To remedy potholes, immediate repairs are essential to prevent further deterioration and ensure road safety. The typical repair process involves cleaning the pothole area, filling it with hot or cold asphalt mix, and compacting it to restore pavement integrity.

To know more about Fatigue crack visit-

https://brainly.com/question/33287291

#SPJ11

A conductor loop is carrying a current of 6 mA which producing a magnetic flux in the loop 4 mWb. Calculate the self inductance of the loop?

Answers

Answer: The self-inductance of the loop is 666.67 H.

Inductance is the capability of an electrical component to store energy in a magnetic field, which is a critical element in the design of electronic circuits. It is denoted by L and measured in henries (H).

When current is supplied to the coil, a magnetic flux is created that induces a voltage in the coil. When the current in a conductor changes, a magnetic field is produced around it. If the conductor is wound in a coil, this magnetic field induces an electric current in the conductor.

This process is known as electromagnetic induction. A coil of wire that produces a magnetic field in response to a changing current is called an inductor. In an electric circuit, inductors are used to store energy and block changes in current, among other things.

The formula for calculating the self-inductance of a wire loop is given by:L = Φ/I, where Φ is the magnetic flux in the loop and I is the current in the loop. We can use this formula to solve the given problem. Using the given values, we have: Φ = 4 mWb and I

= 6 mA

= 0.006

A Substituting these values in the formula,

we get:L = Φ/I = 4 mWb/0.006 A

= 666.67 H

To know more about self-inductance visit:

https://brainly.com/question/28167218

#SPJ11

Design of 1/8 frequency divider using D flip flop.
*p/s: Please include detailed explanations as I want to really understand this design. Thank you in advance.

Answers

The design involves connecting the output of each flip-flop to the input of the next flip-flop in a cascading manner. The resulting circuit will divide the input frequency by 8.

A D flip-flop is a sequential logic circuit with a single data input (D) and two outputs (Q and Q'). The Q output represents the current state of the flip-flop, while the Q' output represents its complement.

To create a 1/8 frequency divider, we need three D flip-flops. The input signal (frequency) is connected to the D input of the first flip-flop. The Q output of the first flip-flop is connected to the D input of the second flip-flop, and the Q output of the second flip-flop is connected to the D input of the third flip-flop.

To achieve the division by 8, we need to control the clock input of each flip-flop. The clock signal for the first flip-flop remains unchanged, but for the second flip-flop, it is derived from the Q output of the first flip-flop. Similarly, the clock signal for the third flip-flop is derived from the Q output of the second flip-flop.

This cascaded connection ensures that each flip-flop divides the frequency by 2, resulting in an overall division by 8. The final output of the third flip-flop is the divided frequency signal.

By implementing this design, we can effectively create a 1/8 frequency divider using D flip-flops and logic gate connections.

Learn more about logic gate here:

https://brainly.com/question/33186108

#SPJ11

(NP-completeness, 15pt) Call a Boolean formula trivial if it is either always true, or always false. For example, p ^p is trivial (always false), as is p V p (always true), and there are examples of trivial formulas with any number of variables. Your goal in this problem is to show that testing whether a given formula is not trivial is NP- complete. For example p v a is not trivial, since it can be made both true and false. a) Show that the non-triviality problem lies in NP. Explain what the certificate c is (include an example, e.g. for p V a), and describe how you verify the certificate. b) Show that the problem is NP-hard. Hint: what's the most likely problem to reduce from? The reduction is not hard.

Answers

a) Main Answer: We want to demonstrate that the non-triviality problem is in NP and that the certificate c is. The certificate for this issue will be any collection of inputs that demonstrate that the given Boolean formula can evaluate to true and false.

Explanation:The certificate c for this issue will be any collection of inputs that demonstrate that the given Boolean formula can evaluate to true and false. For example, consider the formula (p v a) v (q ^ b). For p = True, a = False, q = False, b = True, the formula evaluates to true, and for p = False, a = True, q = True, b = False, the formula evaluates to false. A collection of inputs that demonstrate this is c = {p = True, a = False, q = False, b = True; p = False, a = True, q = True, b = False}. This collection is polynomial in the number of variables in the Boolean formula. To verify that a certificate c for the non-triviality of a given Boolean formula F is correct, we only need to evaluate F on all inputs in c and check if F evaluates to true and false. This verification takes polynomial time in the size of F and the number of inputs in c. Therefore, the non-triviality problem lies in NP.b) Main Answer: To prove that the non-triviality problem is NP-hard, we must reduce a known NP-hard problem to it. The problem of satisfiability (SAT) is the most likely candidate. Assume we have a boolean formula F in conjunctive normal form (CNF) with n variables x1,...,xn and m clauses C1,...,Cm, where each clause Ci is the disjunction of some literals. To reduce SAT to the non-triviality problem, we modify F to create a formula G as follows:First, we add a new variable y to G.Second, we create two new clauses to G, (y v xi) and (y v -xi), for each variable xi in F. This ensures that y can be assigned either True or False in any assignment for G.Third, we add the clauses C1,...,Cm to G.Finally, we add a trivial clause, such as (p v -p), to G to ensure that G is not trivial. Explanation:Suppose F is satisfiable.

Then there exists a satisfying assignment a for F, and we can use it to create a satisfying assignment for G by setting y to False and xi to the value specified by a. In this case, G is not trivial since G satisfies C1,...,Cm and the added trivial clause. On the other hand, if F is not satisfiable, then every assignment for F fails at least one clause in F. Since the new clauses in G ensure that y can be assigned either True or False, we can use this fact to create an assignment for G that satisfies all clauses in G. In this case, G is trivial since every assignment satisfies G. Thus, we have reduced SAT to the non-triviality problem, which shows that the non-triviality problem is NP-hard.

To know more about non-triviality here:

https://brainly.com/question/33179166

#SPJ11

How to make transportation
engineering better in time square new york?

Answers

Transportation engineering in Times Square, New York City can be improved in several ways.

However, I will mention some of the solutions that can be considered to make transportation engineering better in Times Square:Pedestrianize Times Square: Pedestrianizing Times Square would limit the number of vehicles passing through the intersection, improving pedestrian safety and encouraging more people to use the space as a plaza. If vehicles were restricted to the perimeter, congestion would be reduced, and there would be more space for pedestrians. Such a move could create more job opportunities and businesses for people who can take advantage of the new spaces that would be available to them.

Finally, collaboration with transportation authorities, city planning authorities, and traffic engineers is key to improving transportation engineering in Times Square. This can be achieved through public consultations, roundtable discussions, or conferences.

To know more about Transportation visit:

brainly.com/question/9171028

#SPJ11

Given two classes, Car and Person, we should understand that a Person might have multiple cars and cars can transfer between People. How would you model this relationship? a. Inheritance b. Polymorphism c. A Car object inside the Person class d. A Person pointer inside the Car class

Answers

The answer to the given question is option C: A Car object inside the Person class.

A Car object inside the Person class is the correct answer for this question. Given two classes, Car and Person, we should understand that a Person might have multiple cars and cars can transfer between People. To model this relationship between these classes, we would need to create a one-to-many relationship between them which is best done by creating a Car object inside the Person class. So, a person can have multiple cars, and each car can belong to one person. A Car object inside the Person class will allow us to create an array or list of Cars for each Person. It will also allow us to create a method that transfers a Car from one Person to another.

Therefore, this is the most appropriate way to model the relationship between these two classes.

Learn more about array visit:

brainly.com/question/13261246

#SPJ11

Extract sentences with word '/CUNY' of 'School_Name' column in df DataFrame import pandas as pd import re as re df = pd.DataFrame({ 'Student_ID": ['1234','1122', '2121', '4543', '2321'], 'DOB': ['11/01/2001','12/01/2002','04/06/2001','10/01/2001','11/09/1999'], }) 'School_Name': ['Baruch College/CUNY', 'Rutgers University', 'Queens College/CUNY', 'Stanford University', 'City College - CUNY'] print("Original DataFrame:") #CODE TO DO -- print the DataFrame def pick_sentence(str1, word): #CODE TO DO -- Extract return result #CODE TO DO -- Apply the Extract to the DataFrame print("\nSentense has word '/CUNY":") #CODE TO DO -- print the DataFrame

Answers

The given code extracts sentences with the word '/CUNY' from the 'School_Name' column in the DataFrame 'df'. It uses regular expressions to split the sentences and filter for the desired word.

The given code snippet demonstrates how to extract sentences from the 'School_Name' column in the DataFrame 'df' that contain the word '/CUNY'. First, the code imports the required libraries, pandas for data manipulation and re for regular expression operations. Then, a DataFrame 'df' is created with columns 'Student_ID', 'DOB', and 'School_Name', representing student information.

The function 'pick_sentence' is defined to extract sentences containing a specific word. It takes two arguments, 'str1' (the input string) and 'word' (the word to be searched). Inside the function, the input string is split into sentences using regular expression pattern matching, ensuring that sentences end with punctuation marks (.!?). The sentences that contain the specified word are filtered and stored in the 'result' list.

Next, the function is applied to the 'School_Name' column of the DataFrame using the 'apply' method and a lambda function. The resulting sentences are stored in a new column called 'Sentences_with_CUNY'.

Finally, the extracted sentences are printed using the 'print' function.

Learn more about dataframe here:

https://brainly.com/question/32136657

#SPJ11

1) Runoff is typically generated by storms with rainfall. (la) Discuss the process of rainfall-runoff with sketches and discuss its relationship with infiltration. (1b) List three factors that affect the process. a (2) Calculate the drawdown in a confined aquifer of thickness 40 m at a distance of 10 m from an abstraction borehole after 1, 2, 3, 4, 5 and 10 hours of pumping at a constant rate of 10 litres s!. The hydraulic conductivity of the aquifer is 1.2x102 cms-' and the specific storage is 0.002 m. (2a) Compute the storativity and transmissivity. (2b) Calculate the drawdown for the given times and present the results with a table. (2c) Plot your results on a sketch graph and discuss the findings.

Answers

The rate of drawdown decreases over time, indicating that the aquifer is depleting. The depletion of the aquifer will lead to a decrease in pumping rate, and the drawdown will eventually reach equilibrium with the pumping rate.

Part 1a:Process of rainfall-runoffThe process of rainfall-runoff consists of surface runoff and subsurface runoff. Surface runoff involves the precipitation that flows on the ground surface and then enters streams and rivers. In contrast, subsurface runoff refers to the movement of water through soil and rock layers. Precipitation that infiltrates into the ground is either stored in the soil as soil moisture or percolates downward to the water table.

to know more about equilibrium visit:

https://brainly.com/question/30694482

#SPJ11

Incorrect 0/2 pts Question 1 Which of the following is NOT true about functional decomposition per the lecture discussion? Functional decomposition leads naturally into modular code that is easily changed. O Functional decomposition does not prevent dependencies forming in code that makes change difficult. Functional decomposition does not prevent dependencies forming in code that makes change difficult. Functional decomposition is often centered around a main program that is in control and knows all details.

Answers

The statement that is NOT true about functional decomposition per the lecture discussion is: "Functional decomposition is often centered around a main program that is in control and knows all details."

Functional decomposition does not necessarily require a central main program that knows all the details. In fact, one of the main principles of functional decomposition is to break down a complex problem into smaller, more manageable functions or modules. Each function/module should have a clear responsibility and should be independent of other functions/modules.

Functional decomposition promotes modularity and abstraction, where each function/module focuses on a specific task and hides the implementation details from other functions/modules. This approach allows for better code organization, maintainability, and reusability. It also helps in reducing dependencies between different parts of the code, making it easier to make changes or modifications to specific functions/modules without affecting the entire system.

Therefore, the statement that functional decomposition is often centered around a main program that is in control and knows all details is not true. Functional decomposition aims to distribute control and knowledge across smaller, independent functions/modules.

Learn more about discussion here

https://brainly.com/question/28940758

#SPJ11

According to Prof. Kroenke, there are 3 categories of cloud
services. Identify and briefly explain each category.

Answers

Prof. Kroenke identified 3 categories of cloud services which are described below:1. Infrastructure as a service (IaaS):It is the base layer of cloud services. IaaS is the fundamental building block of the cloud computing industry that provides customers with a virtualized computing environment and delivers computing power to them over the internet.

It is a platform for the users to create their applications without having to purchase their own hardware and software. IaaS is responsible for providing the infrastructure that powers most of the cloud computing ecosystem.2. Platform as a service (PaaS):

The PaaS category is higher up the stack than IaaS and provides users with preconfigured platforms to develop their applications. It abstracts away the infrastructure layer and gives developers the ability to create custom applications without worrying about infrastructure management.

PaaS providers offer users prebuilt development platforms that allow them to create applications without needing to set up and manage their own infrastructure.3. Software as a service (SaaS):SaaS is the top layer of cloud services. SaaS is a cloud-based software delivery model in which cloud applications are hosted and made available to customers over the internet.

It is a complete, ready-to-use software solution that is hosted by a vendor and accessed by users over the internet. This cloud service model is focused on providing users with access to applications on demand and provides them with a way to consume software on a subscription basis rather than having to purchase and install it on their own devices. These were the 3 categories of cloud services that Prof.  

To know more about environment visit:

https://brainly.com/question/5511643

#SPJ11

The functionality of a building can be affected by three types of non-structural damage: (1) damage to partitions, (2) ceiling damage and (3) damage to MEP equipment (e.g., HVAC, water pipes). If any two of these three types of non-structural damage exceeds their specified limits under earthquake shaking, then the building will not be functional. P= partition damage exceeds limit given that an earthquake occurs C= ceiling damage exceeds limit given that an earthquake occurs M= MEP equipment damage exceeds limit given that an earthquake occurs Based on historical data, the following probabilities are known P(P)=0.20
P(C)=0.05
P(M)=0.10

P(P∣C)=0.40
P(PM)=0.05
P(C∪M)=0.145

P(PCM)=0.001
Answer the following questions: a) [5 pts] Are the events P and M independent. To get full credit, you must provide calculations to support your answer. b) [5 pts] Are the events C and M independent. To get full credit, you must provide calculations to support your answer. c) [15 pts] What is the probability that the building will not be functional ( F
ˉ
) if an earthquake occurs. Use the following relationship to solve this problem: P( F
ˉ
)=P(PC)+P(PM)+P(CM)−2P(PCM)

Answers

a) To determine if events P and M are independent, we need to check if the probability of P occurring is affected by the occurrence of M, and vice versa. The probability that the building will not be functional if an earthquake occurs is 0.448, or 44.8%.

If P and M are independent, then P(P∩M) = P(P) * P(M).

Given:

P(P) = 0.20 (probability of partition damage exceeding limit)

P(M) = 0.10 (probability of MEP equipment damage exceeding limit)

P(PM) = 0.05 (probability of both partition and MEP equipment damage exceeding limits)

P(P∩M) = P(PM) = 0.05

P(P) * P(M) = 0.20 * 0.10 = 0.02

Since P(P∩M) = P(P) * P(M), we can conclude that events P and M are independent.

b)Similarly, to determine if events C and M are independent, we need to check if the probability of C occurring is affected by the occurrence of M, and vice versa.

If C and M are independent, then P(C∩M) = P(C) * P(M).

Given:

P(C) = 0.05 (probability of ceiling damage exceeding limit)

P(M) = 0.10 (probability of MEP equipment damage exceeding limit)

P(CM) = 0.001 (probability of both ceiling and MEP equipment damage exceeding limits)

P(C∩M) = P(CM) = 0.001

P(C) * P(M) = 0.05 * 0.10 = 0.005

Since P(C∩M) = P(C) * P(M), we can conclude that events C and M are independent.

c) To calculate the probability that the building will not be functional (Fˉ) if an earthquake occurs, we can use the provided relationship:

P(Fˉ) = P(PC) + P(PM) + P(CM) - 2P(PCM)

Given:

P(PC) = 0.40 (probability of partition and ceiling damage both exceeding limits)

P(PM) = 0.05 (probability of partition and MEP equipment damage both exceeding limits)

P(CM) = 0.001 (probability of ceiling and MEP equipment damage both exceeding limits)

P(PCM) = 0.001 (probability of all three types of damage exceeding limits)

P(Fˉ) = 0.40 + 0.05 + 0.001 - 2 * 0.001

P(Fˉ) = 0.448

To know more about MEP visit-

https://brainly.com/question/32876319

#SPJ11

How do stations using a random access protocol for multi-access channels generally recover from a collision? OTwo stations involved in a collision open a TCP connection so they can align on who transmits next O A central access point will take over and specify which station may transmit first. They implement a randomized backoff period before trying to retransmit They use TOMA, FDMA or CDMA so that collisions never actually happen

Answers

Stations that use a random access protocol for multi-access channels generally recover from a collision by implementing a randomized backoff period before trying to retransmit.

When a collision occurs, each station waits for a random amount of time before attempting to transmit again to avoid another collision. This process is known as exponential backoff.The time that a station waits to retransmit is based on the number of collisions that have occurred. Each time a collision occurs, the station doubles the amount of time it waits before trying to transmit again.

This helps to ensure that the stations do not all attempt to transmit at the same time, which could result in another collision.Over time, this backoff period becomes longer and longer, which helps to reduce the likelihood of future collisions. Eventually, the backoff period becomes so long that the stations are effectively taking turns transmitting on the channel. This process is called carrier sensing multiple access with collision detection (CSMA/CD).

In addition to CSMA/CD, there are other methods for reducing the likelihood of collisions on multi-access channels. These include time-division multiple access (TDMA), frequency-division multiple access (FDMA), and code-division multiple access (CDMA). These methods divide the channel into smaller sub-channels that are assigned to individual stations. This ensures that only one station can transmit on a given sub-channel at a time, which eliminates the possibility of collisions.

To know more about protocol visit:

https://brainly.com/question/30547558

#SPJ11

1. Calculus The Calculus module is a simple module that finds the sum, limit, differentiation, integration and create plots of a given function. For (a) sum, let the user input the starting index, the ending index and the series. (b) limit, let the user input the value that x approaches (and y approaches for 2 variable case) and the function where the limit is to be found. (c) differentiation, let the user input the function to be differentiated. Include another option for higher order differentiations, where the user can input the order. (d) integration, let the user input the function to be integrated. For definite integrals, let the user input the limits. (e) plotting, let the user decide if the function is a single or 2 variable function. Then the user fills the function and the limits of the variables associated to obtain the plot.

Answers

Calculus is a module used to calculate the sum, limit, differentiation, integration and create plots of a given function. This module provides users with a variety of options that can be selected according to the function's nature.
(a) For the sum option, the user inputs the starting index, ending index and the series to find the summation.
(b) For the limit option, the user can input the value that x approaches (and y approaches for 2 variable case) and the function where the limit is to be found.


(c) For differentiation, the user inputs the function to be differentiated. There is an option for higher order differentiations where the user can input the order.
(d) For integration, the user inputs the function to be integrated. For definite integrals, the user inputs the limits.
(e) For plotting, the user decides if the function is a single or 2 variable function

. Then the user fills the function and the limits of the variables associated to obtain the plot. The calculus module can handle complex mathematical functions and is efficient in delivering quick and accurate results. The user interface is simple and easy to use.

Calculus can be used to solve problems in various fields, including engineering, physics, and finance. Calculus is an essential tool in mathematics, and this module can be a valuable addition to any math-related software application.

To know more about differentiation visit:

https://brainly.com/question/13958985

#SPJ11

1. What are the requirements of an oscillation? 2. Based on the experimental observations how can you change the frequency of Wien bridge and RC phase-shift oscillator? 3. Based on the circuit in Figure 1, design a Wien bridge oscillator which will oscillate at a frequency of 1 kHz. 4. Based on the circuit in Figure 2, design an RC phase-shift oscillator which will oscillate at a frequency of 1 kHz. LAB IV

Answers

1. Requirements of an oscillation: Oscillation is the regular and periodic fluctuation in the magnitude of the electrical signal. It requires the following:Amplifier with gain greater than or equal to 1.A feedback network which provides the required feedback to the input of the amplifier.

A feedback signal of the same phase and the same amplitude.Frequency-determining network which controls the frequency of oscillations.

Based on the experimental observations, we can change the frequency of Wien Bridge and RC phase-shift oscillator by the following ways.

In the Wien bridge oscillator, changing the resistance and capacitance values will affect the frequency of oscillations. Whereas in an RC phase shift oscillator.

changing the resistance and capacitance values will affect the phase shift which in turn will affect the frequency of oscillations.

To know more about Amplifier visit:

https://brainly.com/question/33224744

#SPJ11

iven an array of integers with 10 values, provide the necessary C++ code to sort the array in descending order (must use bubble sort or selection sort) and output them to an output file with at most 4 values per line. The output will go to the file problem2.txt. Do output your name to the output file. Copy/paste both source code and output file. Use the following array int 110- 15, 3, 6, 7, 1, 9, 0, 8, 1, 4); Sample output file (problem2.txt): Generated by [Your name) 8 9 5 7 3 1 0 Hint: reuse code from labs and project 2 Sort the array using the bubble sort or selection sort module Output array to an output file Submitted this problem (yes/no): Copy/paste source code and output below if yes

Answers

Given an array of integers with 10 values, the necessary C++ code to sort the array in descending order (using bubble sort or selection sort) and output them to an output file with at most 4 values per line along with a name of the user will be as follows:```#include
#include

using namespace std;

void bubble_sort(int arr[], int n) {
  for (int i = 0; i < n-1; i++) {
     for (int j = 0; j < n-i-1; j++) {
        if (arr[j] < arr[j+1]) {
           swap(arr[j], arr[j+1]);
        }
     }
  }
}

int main() {
  int arr[] = {15, 3, 6, 7, 1, 9, 0, 8, 1, 4};
  int n = sizeof(arr)/sizeof(arr[0]);
  bubble_sort(arr, n);

  ofstream outfile("problem2.txt");
  outfile << "Generated by [Your name]" << endl;

  for(int i=0; i

To know more about array visit:

https://brainly.com/question/13261246

#SPJ11

draw the shear and moment diagram
AX 20 kným 10 m R₁ =100 B 18₂=100.

Answers

Given :The magnitude of the point load at A, AX is 20 kN. The shear force and moment diagram are to be sketched. The distance AB is 10 m. The support at A generates a reaction force of R₁ = 100 kN.

The support at B generates a reaction force of R₂ = 100 kN. Drawing Shear Force Diagram Step 1 : Calculate the reaction force using the equation ∑Fy = 0.R₁ + R₂ - AX = 0. 100 + 100 - 20 = 180 kN. Step 2 : Start from the left side of the beam, where there is no loading and move to the right side of the beam, where the loading exists.

At A, there is a point load acting downwards, so the shear force will decrease abruptly by 20 kN and become negative. The point load's magnitude can be seen in the diagram below. Step 3 : Calculate the shear force at point B by considering the point load.

To know more about magnitude visit:

https://brainly.com/question/31022175

#SPJ11

A university registrar's office maintains data about the following entities: courses, including number, title, credits, syllabus, and prerequisites; course offerings, including course number, year, semester, section number, instructor(s), timings, and classroom; students, including student-id, name, and program; instructors, including identi-cation number, name, department, and title. Further, the enrollment of students in courses and grades awarded to students in each course they are enrolled for must be appropriately modeled. Construct an E-R diagram for the registrar's of-ce. Document all assumptions that you make about the mapping constraints.

Answers

An E-R diagram can be created to model the university registrar's office's data about the entities, including courses, course offerings, students, and instructors.

According to the given question, the following entities are associated with the registrar's office:courses (course number, title, credits, syllabus, and prerequisites),course offerings (course number, year, semester, section number, instructor(s), timings, and classroom),students (student-id, name, and program), andinstructors (identification number, name, department, and title).

Assumptions regarding the mapping constraints:The cardinality relationships between the entities must be determined before creating an ER diagram.

The following are the constraints that must be considered while creating the ER diagram:One course may have many offerings, but a single offering may only correspond to one course.

One course can have many prerequisites, and a single prerequisite can be related to many courses.A course offering is attended by one or more students, and a student may attend zero or more course offerings.

One instructor can teach many course offerings, and a single course offering can only be taught by one instructor. This constraint is assumed because it is common for a single course to have multiple sections.

Each student must be registered for at least one course offering, and each course offering must have at least one student enrolled. This is called a mandatory relationship.

The grades awarded to students in each course they are enrolled in should be appropriately modeled. This will necessitate the creation of a grade table.

This table will have two columns: one for the student's grade and one for the course they are enrolled in.Finally, an E-R diagram can be created based on these assumptions and constraints to model the university registrar's office's data about the entities, including courses, course offerings, students, and instructors.

For more such questions on entities,click on

https://brainly.com/question/30033032

#SPJ8

Suppose you have obtained a clustering of the dataset under consideration, using one of the methods studied in the course. Now you want to assess the quality of the clustering and you decide to examine the average silhouette coefficient, s. If s = -0.949, would you evaluate the quality of the clustering as good? Enter 1 is the answer is "yes, it is likely good", enter 0 if the answer is "No, it is not likely good".

Answers

No, the average silhouette coefficient, s, of -0.949 indicates that the clustering is not likely to be good. the answer would be 0, indicating that the clustering is not likely to be good.

The silhouette coefficient measures the cohesion and separation of the clusters, with values ranging from -1 to 1. A negative value, such as -0.949, suggests that the samples are closer to neighboring clusters than to their own cluster, indicating poor clustering quality.However, without knowing the typical range of silhouette coefficients for the given dataset or the specific problem at hand, it is difficult to determine whether a coefficient of -0.949 is considered good or not. It is possible that negative silhouette coefficients are common for the given dataset or that the clustering algorithm used has inherent limitations. In such cases, a negative value may still indicate a reasonable clustering result.

To know more about clustering click the link below:

brainly.com/question/32346483

#SPJ11

A trust fund is to be formed by depositing #4,000 every six months for 25 years in a bank that promises to pay a fixed rate over the entire term. If the amount of the fund at the end of the term is $300,000, then the rate compounded semi-annually is (A) 1.57%. B) 20.40%. 10.20%. (D) 33.33%. E 3.14%.

Answers

The rate compounded semi-annually is E) 3.14%.

Given that a trust fund is to be formed by depositing $4000 every six months for 25 years, we need to find the rate compounded semi-annually if the amount of the fund at the end of the term is $300,000.The amount, P, deposited every six months is $4000.

Number of years, n = 25

Rate of interest per annum, r is to be determined. As the interest is compounded semi-annually, so the rate of interest per semi-annual is r/2.

Time in years, t = n * 2 = 50 semi-annual periods.We know that amount, A = P(1 + r/2)2t = 300,000

Substituting the given values, we get:P(1 + r/2)2t = 300,0004000(1 + r/2)50 = 300,000 / (1 + r/2)50 = 300,000 / 251.85 = 1190.06 + r/24000(1 + r/2)50 = 1190.06 + r/2

On solving this equation, we get r = 0.0314 or 3.14%.

Hence, the rate compounded semi-annually is (E) 3.14%.

Learn more about trust fund:https://brainly.com/question/31380419

#SPJ11

What is the purpose of public health grading of community drinking water supplies, and what does these two letters (i.e. Aa) grading mean to you?

Answers

The purpose of public health grading of community drinking water supplies is to ensure that the water being supplied is safe for human consumption. The grading system assigns a letter grade to the water supply based on various criteria, including water treatment, distribution, and monitoring.

A grading of "Aa" means that the water supply meets all state and federal regulations and is considered to be of the highest quality. This means that the water is safe for human consumption and does not pose any health risks. The grading system is used to inform the public about the quality of their drinking water and to encourage water suppliers to maintain high standards.

The study of preserving and improving individuals' and communities' health is known as public health. Promoting healthy lifestyles, researching disease and injury prevention, and detecting, preventing, and responding to infectious diseases are the means by which this work is accomplished.

Know more about public health:

https://brainly.com/question/32826503

#SPJ11

User-controlled input and output response can also be used to record data. Now, let's consider the Body Mass Index (BMI), where BMI = 703 (weight / height2). Units for this question will be in pounds and inches. a) Using the input function, ask the user for their name, call this variable name. b) Using the input function, ask the user for their weight (lb), call this variable weight. c) Using the input function, ask the user for their height (inches), call this variable height. Calculate the BMI, call this variable BMI. d) e) Using the datetime() function find today's date. Call this variable date. Hint: use the datestr() function to convert the date to a string. f) Using fprintf, print out all of the values in the format below. Note that the statement should be displayed on five separate lines and units must be displayed when applicable. Weight, height, and BMI should have a 0.1 accuracy in the fprintf statement. Date: date Name: name Weight: weight [lb] Height: height [inches] BMI: BMI

Answers

Recording data is a crucial part of many applications, and user-controlled input and output response can be used to record data. This question uses the Body Mass Index (BMI), which can be calculated using the formula BMI = 703 (weight / height^2). In this question, the units used are pounds and inches.

a) Using the input function, ask the user for their name, call this variable name.
name = input('Please enter your name: ', 's');

b) Using the input function, ask the user for their weight (lb), call this variable weight.
weight = input('Please enter your weight in pounds: ');

c) Using the input function, ask the user for their height (inches), call this variable height.
height = input('Please enter your height in inches: ');

Calculate the BMI, call this variable BMI.
BMI = 703 * weight / height^2;

d) Using the datetime() function find today's date. Call this variable date.
date = datetime('today');

Hint: use the datestr() function to convert the date to a string.
date_str = datestr(date, 'mm/dd/yyyy');

To know more about crucial visit:

https://brainly.com/question/20758378

#SPJ11

Prepare a Simulink simulation file such that the robot takes two input torques T₁ and T2 and gives the outputs {xe, xe, xe}, {Ye Ye Ye}, {0₁,0₁,01} and {02, 02, 02}. Show the block diagram(s) in your report and submit the necessary simulation files. Give constant torque references of T₁ = P₁ Nm and T₂ = P₂ Nm and simulate the system. Show the plots of 0₁ (t), 0₂ (t), xe (t) and ye(t) as a result of a 3 second long simulation. The simulation should start from a configuration where the manipulator is horizontal (i.e. 0₁(0) = 0 rad and 0₂ (0) = 0 rad). Prepare a suitable dynamic plotting algorithm to show the behavior of the robot and submit the necessary plotter file

Answers

A Simulink simulation file was created to model a robot with two input torques, T₁ and T₂, and four outputs: {xe, xe, xe}, {Ye Ye Ye}, {0₁,0₁,01}, and {02, 02, 02}. The simulation starts from a horizontal configuration and provides plots of 0₁(t), 0₂(t), xe(t), and ye(t) over a 3-second duration.

In order to simulate the robot, a Simulink model was developed using appropriate blocks and connections. The model takes the input torques T₁ and T₂ as constant references, P₁ and P₂, respectively. The robot's initial configuration is set to 0 radians for both joint angles, corresponding to a horizontal position.

The Simulink model consists of blocks representing the dynamics of the robot and its outputs. The outputs {xe, xe, xe} represent the position of the end effector in the x-axis, while {Ye Ye Ye} represent its position in the y-axis. The outputs {0₁,0₁,01} and {02, 02, 02} correspond to the joint angles of the robot.

By running the simulation for a duration of 3 seconds, the behavior of the robot can be observed. The plots of 0₁(t) and 0₂(t) show the variation of the joint angles over time, while xe(t) and ye(t) represent the trajectory of the end effector in the x-axis and y-axis, respectively.

The dynamic plotting algorithm facilitates the visualization of the robot's behavior during the simulation, providing a real-time representation of the robot's motion. This allows for a comprehensive analysis of the robot's performance and behavior.

Learn more about  horizontal configuration

brainly.com/question/29997037

#SPJ11

chain matrix multiplication problem, and please write down the main process. What is the optimal way to compute A,A,AzA4, where the dimensions of the matrices are: 35X15, 15X5, 5X10 FA10X20

Answers

The chain matrix multiplication problem involves finding the optimal way to compute the product of multiple matrices. In this case, the dimensions of the matrices are given as 35x15, 15x5, 5x10, and 10x20.

To compute the product A x A x A x A4, we can follow the process of matrix multiplication associatively. The associative property allows us to group the matrices in any way as long as the order is maintained.

In this case, we have four matrices: A (35x15), A (15x5), A (5x10), and A4 (10x20). To find the optimal way to compute their product, we can evaluate different combinations.

One possible way is to compute (A x A) first, resulting in a matrix of size 35x5. Then, multiply this result with A to obtain a matrix of size 35x10. Finally, multiply this matrix with A4 to get the desired result of size 35x20.

By following this order, we minimize the number of scalar multiplications required to compute the product. The total number of scalar multiplications can be calculated using the dynamic programming approach, such as the matrix chain multiplication algorithm.

In summary, to compute the product A x A x A x A4, we apply the associative property and evaluate different combinations to find the optimal order of matrix multiplication. By minimizing the number of scalar multiplications, we can efficiently compute the final result.

Learn more about matrices here:

https://brainly.com/question/32100344

#SPJ11

Draw a state machine diagram that will depict all the possible statuses that a Member can have in a ordering system. In the system, individuals and institutions should be able to register as members. Members must be able to make orders, select grocery bags, select collection points and make payment.
The system must have information on the types (individual or institution) and statuses of members that are registered in the system. Institutions may order many grocery bags in comparison to an individual. The system must report on the active members, those members who order regularly and those who are inactive (those who have not ordered for more than 6 months). Members will not be deleted, but if the inactive members still do not order for another 3 months they will be archived. Members can also decide to cancel their "contracts" with the system. Once a year, or when the system has exciting news they might want to send information to those members who cancelled their contracts.

Answers

The state machine diagram depicts the possible statuses of Members in the ordering system and their transitions based on actions such as registration, ordering, becoming inactive, and cancelling contracts.

What does the state machine diagram depict for the Member statuses in the ordering system?

A state machine diagram can be created to depict the possible statuses that a Member can have in the ordering system. The diagram would include the following states:

1. Registered: This state represents when an individual or institution has successfully registered as a member.

2. Active: This state represents members who are actively using the system, making regular orders, and interacting with the system.

3. Inactive: This state represents members who have not made any orders for more than 6 months. They are still considered as registered members but are not actively using the system.

4. Archived: This state represents members who have been inactive for an additional 3 months after becoming inactive. They are no longer considered active members but their information is retained in the system.

5. Cancelled: This state represents members who have chosen to cancel their contracts with the system.

6. Notified: This state represents members who have cancelled their contracts but may still receive information from the system occasionally.

Transitions between these states would occur based on the actions and behaviors of the members, such as registering, making orders, becoming inactive, or cancelling their contracts. The state machine diagram provides a visual representation of the possible statuses and transitions for members in the ordering system.

Learn more about machine diagram

brainly.com/question/32152118

#SPJ11

The smooth-steel channel as in the figure is designed without the barrier for a flow rate of 8 m/s, with a uniform depth y = 1.2 m and width b = 4 m. 1. What is the hydraulic radius without the barrier? (1 pt) 2. What is the slope without the barrier? (1 pt) 3. If a barrier of the same material is installed at the centre of the channel and the total flow rate remains the same, calculate the percentage increase in depth. (2 pts)

Answers

The  radius without the barrier is 0.6 meters. In this case, the hydraulic radius is calculated to be 0.6 meters, which indicates the channel's ability to carry water effectively.

The hydraulic radius (R) is a measure of the efficiency of a channel in carrying water. It is calculated by dividing the cross-sectional area (A) of the flow by the wetted perimeter (P). In this case, since the channel is smooth and has a uniform depth, we can calculate the hydraulic radius using the formula: R = A / P.

To find the cross-sectional area, we multiply the depth (y) by the width (b): A = y * b = 1.2 m * 4 m = 4.8 square meters.

The wetted perimeter is the length of the line where water comes into contact with the channel's walls. For a rectangular channel, it is calculated by adding the width and twice the depth: P = b + 2 * y = 4 m + 2 * 1.2 m = 6.4 meters.

Now, we can calculate the hydraulic radius: R = A / P = 4.8 square meters / 6.4 meters = 0.75 meters.

Therefore, the hydraulic radius without the barrier is 0.6 meters.

The hydraulic radius without the barrier is an important parameter in determining the efficiency of flow in the channel. In this case, the hydraulic radius is calculated to be 0.6 meters, which indicates the channel's ability to carry water effectively.

The slope without the barrier is 0.1875 or 18.75%.

Therefore, there is no change in depth, and the percentage increase in depth is 0%.

The slope of a channel is a measure of the change in elevation per unit distance along the flow direction. It can be calculated using the formula: slope = change in elevation / channel length.

However, in this given question, the slope is not explicitly provided. Therefore, we need additional information or assumptions to calculate it accurately. Please provide the necessary details or assumptions regarding the slope for a more precise answer.

Without the barrier, the percentage increase in depth is 0%.

Since the question states that the flow rate remains the same even after the barrier is installed, we can assume that the channel maintains its capacity to carry the same amount of water. In other words, the total cross-sectional area of the flow remains constant.

When a barrier is installed at the center of the channel, the water depth on either side of the barrier will change. However, since the total flow rate remains the same, the combined cross-sectional area of the flow on both sides of the barrier must still equal 4.8 square meters.

Therefore, there is no change in depth, and the percentage increase in depth is 0%.

When a barrier of the same material is installed at the center of the channel while maintaining the same flow rate, the depth of the channel does not increase. The percentage increase in depth is 0%.

Learn more about   hydraulic  ,visit:

https://brainly.com/question/13016667

#SPJ11

Represent the 2's complement number 10101 in hexadecimal.

Answers

A complement number is a way to represent negative values in binary form. There are two types of complements commonly used: the 1's complement and the 2's complement. The hexadecimal representation of the 2's complement number 10101 is 51.

To represent the 2's complement number 10101 in hexadecimal, we follow these steps:

Determine the sign of the number:

Since the leftmost bit is 1 (indicating a negative number), we know that this is a negative value.

Find the 1's complement of the number:

Flip all the bits in the number. The original number is 10101, so the 1's complement is 01010.

Add 1 to the 1's complement:

Add 1 to the 1's complement: 01010 + 1 = 01011.

Convert the 2's complement number to hexadecimal:

Group the bits in groups of 4, starting from the right.

In this case, we have 01011, which can be grouped as 0101 and 1.

Convert each group to its corresponding hexadecimal digit.

0101 = 5, and 1 = 1.

Therefore, the hexadecimal representation of the 2's complement number 10101 is 51.

So, 10101 (in 2's complement) is equivalent to 51 in hexadecimal.

For more details regarding the complement number, visit:

https://brainly.com/question/30507229

#SPJ4

Other Questions
describe this assembly code step by step in englishlanguage.-----------------------------------------------------------------------------------# Example program to display a string and an integer. A duck species lays an average of 5 eggs per clutch, with a range of between 1 and 10 eggs per clutch. In a particular population, a fox species exerts strong pressure on clutch size because it preys voraciously on duck eggs. The environment is otherwise supportive of the duck population, providing an abundance of food, water, and nesting habitat. Which graph provides a model that shows the effects of this predation selection pressure on the duck's clutch size? a line-angle formula shows a ring with six vertices and alternating single and double bonds. a cooh group is attached to the first vertex. a br atom is attached to the third (clockwise) vertex. spell out the full name of the compound. The two main determinants of mean arterial pressure are _ and _ a stroke volume; a. compliance of vessel walls b. heart rate; stroke volumec. heart rate; end-diastolic volume d. cardiac output; total peripheral resistance e. none of these During temperate deciduous forests are found in the . (choose all that apply.) group of answer choices A. US B. europe C. asia D. at the equator E. north and south pole F. canada araday's Law & Ampere's Law) [12m] If the magnetic flux density in a region of free space (J = 0) is given by B = B. z. cos oot y and if it is known that the time-varying electric field associated with it has only an x component: (a) Use Faraday's Law to find E = Ex x [4m] (b) Use the obtained value of E in Ampere's Law to determine the magnetic flux density B. [4m] (c) Compare the obtained result in (b) with the original expression of the magnetic field. Comment on your answer. find compressibility factor with P=27bar and T=2C of CO2 gas Outline all the medication drugs used in treating thecardiovascular disorder 3. Explain why framing information is required even in the case where frames are of constant length. Solve the differential equation yxdy=(y^2x^2)dx Using undeterminant coefficeint method, the particular solution for the nonhomogeneous term e^x in the equation: y+y=e^x is: Which of the following is made of cells: 1) viruses 2) bacteria 3) protozoa 4) both 2&3 5) 1,2 , and 3 Question 2 (1.5 points) Which of the following pathogens possesses an RNA genome: 1) Salmonella txphimurium 2) Staphylococcus aureus 3) Plasmodium falciparum 4) Influenza virus Which of the following pathogens is an obligate intracellular parasite: 1) Staphylococcus aureus 2) Neisseria gonorrhoeae 3) Variola major 4) Salmonella typhi 5) all of the above Question 4 ( 1.5 points) An example of a pathogen capable of responding to the environment would be: 1) Salmonella typhimurium 2) Staphylococcus aureus 3) Plasmodium falciparum 4) Influenza virus 5) 1, 2, and 3 An example of a category of pathogen capable of evolving would be: 1) bacteria 2) viruses 3) protozoa 4) fungi 5) all of the above Question 6 (1.5 points) The portion of an enveloped virus responsible for attachment to a host cell would be: 1) the capsule 2) the capsid 3) the nucleus 4) fimbriae 5) envelope glycoproteins Question 7 (1.5 points) An enveloped virus is coated in: 1) host membrane 2) carbohydrates of viral origin 3) host proteins Question 8 (1.5 points) RNA viruses mutate faster than DNA viruses because: 1) enzymes which copy RNA do not proofread 2) RNA is more subject to UV radiation damage and mutation 3) RNA viruses are smaller and replicate faster than DNA viruses Question 9 (1.5 points) An example of a Gram positive bacteria which commonly causes meningitis would be: 1) Streptococcus pneumoniae 2) Haemophilus influenzae 3) Neisseria meningiditis Polio has been fully eradicated from the world: 1) True 2) False Question 11 ( 1.5 points) An example of a disease for which a "live" vaccine is used would be: 1) smallpox 2) diphtheria 3) pertussis 4) meningitis Question 12 (1.5 points) Gastrointestinal illness may be caused by: 1) viruses 2) bacterial toxins 3) protozoa 4) bacterial infection 5) all of the above You will design and implement a system written in C that runs ona Linux or similar system.The program must collect data in several parallel threads. Imaginethat there is a structure with Time, Humi why having a complete view of full stack is the onlyway Netops have full control of the network environment The price of petrol from the year 1999 to 2003 is 12,11, 12, 15,15. From the year 2004 to 2008 is 17, 18.18.18.19 and from the year 2009-2013 is 23,34,23,23,23. Store the average prices of all three tenures in an array named "Avg_prices". And in any of the three tenures, the average price goes higher than 20, then display the statement "The price of petrol in this tenure is unusually high". In the circuit in the figure, the capacitors are completely uncharged. The switch is then closed for a long time. As shown, R = 6, R = 40 , R3 = 40 and V = 20V. What is the potential difference (in V) across the R resistor? A) 8; B) 6; C) 0; D) 4; E) 10; state five Function duties of the Presidents as ensuring in Nigerian Constitution 3. Alpha particles from 210Po source, having the kinetic energy of 5.3.MeV enter the region between two parallel metallic plates separated by 5 mm. A p.d. of 5000 volts is applied between the plates. The a-particles coming out through a narrow slit on the far side of the plates (of linear dimension 0.5 m) reach a photographic plate, kept at a distance of 0.5 m behind the slit. The deflection of the Q-particles from the central spot on the plates is found to be 2.4 cm. The electric field is then removed and a magnetic induction field of 0.1 T is applied to the a-particles perpendicularly under the same geometry. The deflection on the photographic plate from the central spot is found to be 7.6 cm. Find the specific charge of the a-particles from the above data. (4.813 x 10' Cikg) 1. Patient AA, presented with cough, rashes, BP 86/53 mmHg, RR 22 bpm, WBC > 12000/mL. He was diagnosed with syphilis a year ago.a. What stage of syphilis is AA suffering from? Justify your answer. b. Suggest TWO (2) antibiotics to treat syphilis. c. Septic shock is seen here. What agents can we give AA to manage his hypotension? Give ONE (1) example of each agent. d. Explain the mechanism of action of the drugs named in (b). Give ONE (1) potential side effect of the drug. e. Give some modifications that can be made to the drug in (b) to make it more stable. Which sectional view is the most common?Responsesouter viewoverhead viewcross-section viewinterior view Knowing that the voice signal has notable spectral content from 300 Hz to 3.4 kHz, approximately. Determine how the spectral content of the signal obtained by modulating a 50 kHz carrier with a higher single-sideband speech signal is distributed. Make a block diagram that allows to obtain the modulated signal.1.1- Determine the cutoff frequency (or 3 dB) and the beginning of the attenuation band if a high-pass Butterworth filter is used to filter the voice signal, in such a way that the passband has a maximum tolerance of 1.5 dB, the attenuation band has a minimum tolerance of 30 dB and the order of the filter is 5.