We have a Web Server that takes username and passwords as input and of logs users in to our system
a) Identify information assets and prioritize them out of 5 (5 most critical, 0 no importance)
b) Create 3 threats to your information assets (e.g. Threat1: attackers can obtain passwords by ...) (not asking for lengthy paragraphs of what threats there is in web servers)
c) Address threats you created by security requirements (At least 1 for each) (Requirements should be brief. e.g. Requirement1-forThreat1: Passwords will be .... before they are sent to the database server.)
d) Create at least 1 design item for each security requirement (e.g. DesignItem1forRequirement1: ... will be used for ... of the passwords)

Answers

Answer 1

a) Information assets can be defined as an item or resource of value that an organization has. These assets include data, hardware, software, and intellectual property. In the case of the web server, the information assets include the user's login credentials (usernames and passwords), personal information (if any), and system configurations.

Therefore, the prioritization of the information assets is as follows:
1. User's login credentials
2. Personal Information
3. System Configurations
4. Software
5. Hardware

b) Three threats to the information assets include:
1. Threat 1: Attackers can obtain passwords by performing a brute force attack or using a keylogger.
2. Threat 2: Hackers can use SQL injection to access the web server's database and extract sensitive information.
3. Threat 3: Hackers can also use cross-site scripting (XSS) to inject malicious code into the web server's login page, which could capture user credentials.

c) The security requirements for these threats include:
1. Requirement 1 for Threat 1: Users should be required to create strong passwords that include a combination of letters, numbers, and symbols. Additionally, the server should limit the number of login attempts by blocking the user's IP address for a certain amount of time after a specific number of incorrect attempts.
2. Requirement 1 for Threat 2: The web server's database should use parameterized queries to prevent SQL injection attacks.
3. Requirement 1 for Threat 3: The web server should implement a Content Security Policy (CSP) to prevent cross-site scripting attacks.
To know more about resource visit:

https://brainly.com/question/32937458

#SPJ11


Related Questions

Hello dr.
The computational market model for grid resource management
includes several modules. Draw the model and briefly introduce each
of its modules?

Answers

The modules of computational market model are:

1) Resource Management Module

2) Resource Discovery Module

3) Task Scheduling Module

4) Payment Module

5) Quality of Service (QoS) Module

The computational market model for grid resource management includes several modules that facilitate the overall functioning of the system.

The modules of the computational market model are as follows:

Resource Management Module: This module is responsible for the management of all the available resources in the grid. It ensures the resources are being utilized efficiently and are distributed equitably to users.

Resource Discovery Module: This module is responsible for locating resources on the grid. It maintains an index of all the available resources in the grid, and the users use it to locate resources.

Task Scheduling Module: This module is responsible for scheduling the execution of tasks on the grid. It selects the most suitable resources for a particular task based on several criteria, such as the required resources, the deadline for the task, and the current load on the grid.

Payment Module: This module is responsible for handling the payments for the resources used. It calculates the cost of the resources used and charges the users accordingly. The payment module uses a variety of pricing models, such as spot pricing, to determine the cost of the resources.

Quality of Service (QoS) Module: This module is responsible for ensuring that the resources are being used efficiently and are meeting the users' quality of service requirements. It monitors the performance of the resources and enforces QoS policies to ensure that the users' requirements are met. These are the different modules of the computational market model for grid resource management.

Learn more about resource management: brainly.com/question/14419086

#SPJ11

Problem 3: (8 points) Infinite uniform line charges of 102 nC/m lie along the entire length of the three coordinate axes. Assuming free space conditions, find E at point P(-3, 2, -1).

Answers

Infinite uniform line charges of 102 nC/m lie along the entire length of the three coordinate axes.

Assuming free space conditions, find E at point P(-3, 2, -1).Explanation: Electric field due to infinite line charge Consider an infinitely long line charge with uniform linear charge density λ (charge per unit length).The magnitude of the electric field at a perpendicular distance r from the wire is given by, |E| = (λ/2πε₀r)where ε₀ is the permittivity of free space. The electric field due to a point charge at any distance r is given by,|E| = (kq)/r²where k = 1/4πε₀ is the Coulomb constant and q is the charge.

For a uniformly charged line of charge density λ, the electric field at a perpendicular distance r from the wire is given by| E| = (λ/2πε₀r)Now, let's solve the given problem: From the given information, the charge density λ = 102 nC/mThe electric field due to the charges lying on the x-axis at point P is given by,|E1| = (λ/2πε₀r)where r = 5 m∴ |E1| = (102 × 10⁻⁹ / 2π × 8.85 × 10⁻¹² × 5) N/C The electric field due to the charges lying on the y-axis at point P is given by,|E2| = (λ/2πε₀r)where r = √(2² + 3²) = √13 m∴ |E2| = (102 × 10⁻⁹ / 2π × 8.85 × 10⁻¹² × √13) N/CThe electric field due to the charges lying on the z-axis at point P is given by,|E3| = (λ/2πε₀r)where r = √(1² + 2²) = √5 m∴ |E3| = (102 × 10⁻⁹ / 2π × 8.85 × 10⁻¹² × √5) N/C

Top know more about  Infinite visit:-

https://brainly.com/question/30893804

#SPJ11

write in java! make comments to explain what each code of line does!:
Write a function called findCommon that takes three arrays of positive integers as parameters. The first two array parameters are filled with ints. Fill the third array parameter with all the values that are uniquely in common from the first two arrays and the rest of the array with zeros. For example:
(a) a1[] contains: 3 8 5 6 5 8 9 2
(b) a2[] contains: 5 15 4 6 7 3 9 11 9 3 12 13 14 9 5 3 13
(c) common[] should contain: 3 5 6 9 0 0 0 0
write a main method and implement the findCommon method along with the 3 arrays to test it out!

Answers

A function called 'findCommon' that takes three arrays of positive integers as parameters has been described in Java code.

The Java code that implements the 'findCommon' function along with the main method to test it:

import java.util.Arrays;

public class CommonValues {

   public static void main(String[] args) {

       int[] a1 = {3, 8, 5, 6, 5, 8, 9, 2};

       int[] a2 = {5, 15, 4, 6, 7, 3, 9, 11, 9, 3, 12, 13, 14, 9, 5, 3, 13};

       int[] common = new int[Math.max(a1.length, a2.length)]; // Create an array to store the common values

       

       findCommon(a1, a2, common); // Call the findCommon method

       

       System.out.println(Arrays.toString(common)); // Print the common array

   }

   public static void findCommon(int[] a1, int[] a2, int[] common) {

       int index = 0; // Initialize the index for the common array

       // Iterate over each element in the first array

       for (int i = 0; i < a1.length; i++) {

           boolean isCommon = false; // Flag to check if an element is common

           

           // Check if the element is present in the second array

           for (int j = 0; j < a2.length; j++) {

               if (a1[i] == a2[j]) {

                   isCommon = true;

                   break;

               }

           }

           

           // If the element is common, add it to the common array

           if (isCommon) {

               common[index] = a1[i];

               index++;

           }

       }

       

       // Fill the rest of the common array with zeros

       for (int i = index; i < common.length; i++) {

           common[i] = 0;

       }

   }

}

In this code, the 'findCommon' method takes in three arrays as parameters: 'a1', 'a2', and 'common'. It iterates over each element in a1 and checks if that element is present in a2. If it is, the element is added to the 'common' array. The remaining elements in the 'common' array are filled with zeros.

In the 'main' method, we initialize the 'a1', 'a2', arrays with the given values. We then create a common array with a size equal to the maximum length of a1 and a2. After calling the 'findCommon' method, we print the common array to verify the result.

Learn more about Java code click;

https://brainly.com/question/31569985

#SPJ4

Question 2: Context-free Languages Consider the following context-free grammar G on the alphabet Σ = {a, b} → S XX X = axa | bXb | a | b | e (a) Show that the grammar G is ambiguous. [7 marks]

Answers

To show that the grammar G is ambiguous, we have to find out that if there exist two different parse trees for some string generated by the grammar G or not. To accomplish this task, we can make use of the pumping lemma for Context-Free Languages.

Given the grammar G as,```
S → XX
X → axa | bXb | a | b | e
The pumping lemma states that all sufficiently long strings in a context-free language L can be divided into five parts, i.e., w = uvxyz,such that:|vxy| ≤ pvxy ≠ εFor all i ≥ 0,uv^ixy^iz ∈ L, where p is the pumping length of the language L.

A context-free grammar (CFG) is ambiguous if there exists at least one string that can have more than one left-most derivation or more than one right-most derivation. Let us assume that the grammar G is not ambiguous and the pumping length of G is p. We need to find some string w belonging to the language generated by the grammar G, which can be divided into five parts such that it violates the above conditions. Let w = a^pb^pa^pb^p then w can be written as, w = uvxyz.

Now we need to show that no matter how we choose u, v, x, y, and z, there exists some igeq 0 for which uv^ixy^iz is not in the language generated by the grammar G. Since |vxy|≤p, the substring vxy must consist entirely of a's or entirely of b's. This is because the productions of the grammar G have no overlap between a and b.Let us consider two cases:-

Case 1: v and y are composed of the same symbola. In this case, we can pump v and y to generate a string that is not in the language. After pumping, the string becomes uv^2xy^2z. Let v=a^k and y=a^j such that k+j≤p. Then we have the following, uv^2xy^2z = a^{p+j+k}b^pa^pb^p.

This string is not in the language generated by the grammar G because it has more a's on the left-hand side than on the right-hand side. Hence, the grammar G is ambiguous.

Case 2: v and y are composed of the same symbolb. In this case, we can pump v and y to generate a string that is not in the language. After pumping, the string becomes uv^2xy^2z.

Let v=b^k and y=b^j such that k+j≤p. Then we have the following, uv^2xy^2z = a^pb^{p+j+k}a^pb^p.This string is not in the language generated by the grammar G because it has more b's on the left-hand side than on the right-hand side. Hence, the grammar G is ambiguous. Therefore, we have shown that the grammar G is ambiguous.

To learn more about "Ambiguous" visit: https://brainly.com/question/13864585

#SPJ11

Digital signaling usually means that the information being conveyed is binary. True Or False Analog signals differ from digital signals in that: a. analog signals are periodic, digital signals are not b. analog signals are represented versus time while digital signals are measured versus frequency c. analog signals are continuous while digital signals remain at one constant level and then move to another constar d. analog signals operate at higher frequencies than digital signals

Answers

The statement "Digital signaling usually means that the information being conveyed is binary" is true. Digital signaling often involves encoding information using a binary system, where the information is represented by discrete values or states, typically 0s and 1s. Regarding the second part, the correct answer is: c. analog signals are continuous while digital signals remain at one constant level and then move to another constant level.

Analog signals are continuous and can take on any value within a range. They represent information as a continuously varying physical quantity, such as voltage or amplitude, over time. On the other hand, digital signals are discrete and represent information as a series of discrete values, typically binary (0s and 1s). Digital signals have specific levels or states, such as high (1) and low (0), and they transition between these levels.

Thus, the given statement is true and the correct option is C.

Learn more about analog signals:

https://brainly.com/question/30751351

#SPJ11

Applications Of Probability Theory In EE. Two Separate Questions (3.A And 3.B): (3.A) (7 Points) Random Signal Processing.

Answers

Applications of probability theory in Random Signal Processing Random signal processing makes use of probability theory and its applications.

A random signal is one that is unpredictable. It can be defined as a signal in which values occur at various times and cannot be predicted with certainty. A random signal is often referred to as noise and has no inherent value or meaning.The following are some of the ways that probability theory is used in random signal processing:To estimate the likelihood of different signal sequences in a given noise temporal .To determine how likely it is that a particular signal has been altered by a particular noise environment. To analyze how different types of noise affect the quality of a signal.To determine how much noise is present in a given signal.

Along with this, the following points can also be added: A stochastic process is a process whose behavior can be determined using probability theory. This process is employed to explain how the probability distribution of a signal changes over time. According to the ergodic theory, a stochastic process's time-average behavior should be the same as its expected value over the ensemble .An autocorrelation function is a probability function that describes how a signal's autocorrelation changes as the lag between the signals varies over time. It is typically utilized to extract statistical information from random signals.A Fourier transform is a mathematical function that converts a signal from the time domain to the frequency domain. It is a valuable tool for understanding how different signals interact with one another in a given noise environment.

To know more about signal processing visit:

https://brainly.com/question/30901321

SPJ11

H(T)=Δ(T)−Τ1e−Τtu(T) S(T)=U(T)(1−Τ1e−Τt)

Answers

H(T) and S(T) are temperature-dependent and they represent two variables. H(T) is the enthalpy while S(T) is the entropy.

They are represented mathematically as follows:

H(T) = Δ(T) - T1e^(-Tt)u(T)S(T) = U(T)(1 - T1e^(-Tt))

Enthalpy is the amount of heat released or absorbed by a system at a constant pressure while entropy is the degree of randomness or disorder in a system. Entropy is a measure of the number of possible arrangements of a system. At absolute zero, the entropy of a pure crystalline substance is zero.The values of enthalpy and entropy change as temperature changes. Enthalpy is also affected by changes in pressure and volume.The equation of enthalpy is given as:

H(T) = Δ(T) - T1e^(-Tt)u(T)

Where;

Δ(T) is the internal energy

U(T) is the internal energy at constant volume

T1 is a temperature constant that describes the kinetics of a reaction

Tt is the time constantu(T) is the unit step function

The equation of entropy is given as:

S(T) = U(T)(1 - T1e^(-Tt))

Where;

U(T) is the internal energy at constant volume

T1 is a temperature constant that describes the kinetics of a reaction

Tt is the time constant

Both H(T) and S(T) are important properties that describe a system at different temperatures. They help to understand the behavior of the system at different temperature ranges.

To know more about enthalpy visit:-

https://brainly.com/question/32882904

#SPJ11

# Concept: String and List
# Calculator
'''
You all have used a calculator. It is quite useful when we have simple and also complex calculations.
In general calculators
we will give
25+345
30-20
30/4
And other operations to perform simple math calculations
Let us do the same thing where you will receive an input like the below
"25+345"
or "30-20"
Your task is to write a program that detects the symbol mentioned and performs the operations on the two operands and returns an integer answer
'''
import unittest
def concatinate_dictionaries(d1,d2):
cse_dict = {}
# write your code here
return cse_dict
# DO NOT TOUCH THE BELOW CODE
class Concatination(unittest.TestCase):
def test_01(self):
B1 = {"110065001": "Ram", "110065002" : "Lakshman"}
B2 = {"120065001": "Bharat", "120065002" : "Satrugna"}
B3 = {"130065001": "Dhasaradh", "130065002" : "Babu"}
output = {"110065001": "Ram", "110065002" : "Lakshman", "120065001": "Bharat", "120065002" : "Satrugna", "130065001": "Dhasaradh", "130065002" : "Babu"}
self.assertEqual(concatinate_dictionaries(B1,B2,B3), output)
def test_02(self):
B1 = {"110065001": "shyam", "110065002" : "sundar"}
B2 = {"120065001": "satyam", "120065002" : "sivam"}
B3 = {"130065001": "ved", "130065002" : "stalon"}
output = {"110065001": "shyam", "110065002" : "sundar", "120065001": "satyam", "120065002" : "sivam", "130065001": "ved", "130065002" : "stalon"}
self.assertEqual(concatinate_dictionaries(B1,B2,B3), output)
if __name__ == '__main__':
unittest.main(verbosity=2)
# Concept: String and List
# Calculator
'''
You all have used a calculator. It is quite useful when we have simple and also complex calculations.
In general calculators
we will give
25+345
30-20
30/4
and other operations to perform simple math calculations
Let us do the same thing where you will receive an input like the below
"25+345"
or "30-20"

Answers

The program detects the symbol mentioned and performs the operations on the two operands and returns an integer answer. The given program is incomplete. It is an incorrect question. The given function `concatinate_dictionaries(d1,d2)` has been misspelled.

The correct spelling is `concatenate_dictionaries(dictionaries_list)` with a single parameter. We will assume this as the correct function in this answer.The function concatenates a list of dictionaries and returns the concatenated dictionary. The given test cases test the concatenation of multiple dictionaries.

Let's write a program that performs arithmetic operations on a given string of the form `"operand1 operator operand2"`.

To know more about program visit:

https://brainly.com/question/30613605

#SPJ11

Consider an analog channel with a signal bandwidth of 10 kHz. If
each sampled value is converted to 10 bits, calculate the required outgoing data rate.

Answers

Considering an analog channel with a signal bandwidth of 10 kHz, the required outgoing data rate would be 200 kHz.

The sampling rate and the amount of bits utilised to represent each sample must be taken into account in order to determine the necessary outgoing data rate.

The Nyquist-Shannon sampling theorem says that:

Sampling rate = 2 * Signal bandwidth = 2 * 10 kHz = 20 kHz

So, as per this,

Required outgoing data rate = Sampling rate * Number of bits per sample

= 20 kHz * 10 bits

= 200 kHz

Thus, the required outgoing data rate would be 200 kHz.

For more details regarding analog channel, visit:

https://brainly.com/question/30886727

#SPJ4

5. a Obtain a grammar in Chomsky Normal Form (CNF) equivalent to the grammar G with productions, P given: SAAB A → aAa B→B | 5 [30 marks]

Answers

The production P is given by G = (V, T, S, P) withV = {S, A, B},T = {a, 5},and P consists of the S → AAB|5A → aAa|5B → B|5Let's construct an equivalent grammar in Chomsky Normal Form (CNF).

In CNF, each production must have one of the following forms:A → BC where A, B, and C are non-terminal symbols A → a where a is a terminal symbol The first step is to eliminate the start symbol S from the right-hand sides of the productions.

Add a new symbol S0 to the set of variables and add the production S0 → S:S0 → S (addition of new production)S → AAB|5A → aAa|5B → B|5Now we'll take care of the long right-hand sides with more than two non-terminals. We do this by introducing a new variable for each pair of variables that appear in a production. A → aAa becomesA → R1R2R3R4R5R6where R1, R3, and R5 are newly introduced variables that replace pairs of variables.

To know more about production visit:

https://brainly.com/question/30333196

#SPJ11

Write a Python program that simulates a pair of dice for the user
Algorithm
Loop till user wants to stop the dice roll
Simulate two dice roll.

Answers

Here is the Python program that simulates a pair of dice for the user:```import randomdef roll_dice():
   return random.randint(1, 6) # simulates rolling a dice while True:
   roll = input("Roll the dice? (Y/N) ").lower()
   
   if roll == "y":
       dice_1 = roll_dice()
       dice_2 = roll_dice()
       print("Dice 1:", dice_1)
       print("Dice 2:", dice_2)
   else:
       break```Algorithm of the program:1. Import the random module to generate random numbers.2. Define a function called roll_dice() that returns a random integer between 1 and 6. This simulates rolling a dice.3. Create an infinite loop that continues until the user decides to stop rolling the dice.4. Ask the user if they want to roll the dice. Convert the input to lowercase to handle upper and lowercase inputs.5. If the user wants to roll the dice, simulate rolling two dice using the roll_dice() function and print the results.6. If the user doesn't want to roll the dice, break out of the loop.

to know more about Python here:

brainly.com/question/30391554

#SPJ11

Select one: A. B. O C O D. E. b₁ b₁ bn b₁ = = = Find the Fourier Coefficients b, for the periodic function f(t) J 0 for 0 1 and n even bn = 0 10 TEX is n odd 5 5 f(t) = 1+ sin(at) + 5 -sin(2πt) + -sin(3πt) +... 3π ㅠ 10 2 f(t) = - 12+10 sin (7) + 2 sin (³7) (57²). - + -sin +... 3π 2 7 2 C. X 5 10 f(t) = :) — 1/2 + 10 sin (7/2) + ² sin( + =sin(xt) + -sinf 3πt 2 +... ㅠ ㅠ 3π 10 10 f(t) = 1 + +1º sin (7) + 2º sin( in (37²) + ² sin (57²) + . 3π 7 E. None of the accompanying options are correct Select one: A. OB. D.

Answers

The correct option is B.

To determine the periodic function f(t), the Fourier coefficients b₀, bn, and bn are calculated as follows:

b₀ = (1/T) ∫[T] f(t) dt

bn = (2/T) ∫[T] f(t) * cos(nωt) dt

bn = (2/T) ∫[T] f(t) * sin(nωt) dt

where T is the period of the function and ω is the angular frequency.

Among the given options, option B matches the coefficients calculation for the function f(t):

f(t) = 1 + sin(at) + 5 - sin(2πt) - sin(3πt) + ...

The correct option is B.

To know about determine visit:

https://brainly.com/question/31045470

#SPJ11

The open loop transfer function of a unity feedback system is shown below: G(s)=(s+2)(s2+6s+15)K​ A PID controller is to be designed for the unity feedback control system. Determine the parameters KP​, Kl​ and KD​ of the PID controller using the Ziegler-Nichols tuning method.

Answers

Given transfer function of the open-loop system: G(s) = (s + 2) (s² + 6s + 15) K The first step is to obtain the parameters of the open-loop system.

The formula for the derivative gain is given by: KD​ = 0.075Ku​ Tu​First, the system needs to be characterized by determining the value of K so that the system oscillates at its ultimate gain and ultimate period. To obtain the ultimate gain, the system must first be converted to a closed-loop system by using unity feedback. G(s) = K(s + 2) (s + 3) (s + 5) / [s (s + K (s + 2) (s + 3) (s + 5))]To obtain the characteristic equation of the closed-loop system, solve the equation: 1 + G(s) = 0 1 + K(s + 2) (s + 3) (s + 5) = 0 s³ + (K + 10)s² + (K + 34)s + 30K + 1 = 0At the ultimate gain Ku​, the system oscillates at the ultimate period Tu​. To obtain the value of Ku​ and Tu​, apply the Ziegler-Nichols open-loop step response method. The values of Ku​ and Tu​ are obtained from the formula given below:Ku​ = 4 / 3 π Ao​Tu​ = π / ωo​Where, Ao​ is the amplitude of the output waveform at the ultimate gain, and ωo​ is the frequency at which the output waveform has the maximum phase angle.

To know more about  open-loop visit:-

https://brainly.com/question/32777139

#SPJ11

b. Mention three mistakes could be done through documentation of the network design. (5)

Answers

Network design refers to the process of planning and creating a computer network infrastructure that meets the specific requirements of an organization.

There are several mistakes that could be made through documentation of the network design. Three of these mistakes are as follows:

1. Insufficient documentation: A major mistake that could be made in the documentation of the network design is not having enough documentation to support the network design. Lack of documentation could make it challenging for other network designers or administrators to understand the structure and configuration of the network.

2. Incorrect information: Another mistake that could be made is including incorrect information. If the document contains inaccurate information, it could result in issues when updating the network or making changes to its configuration.

3. Inconsistent formatting: Network documentation is essential, and how it is formatted is essential. If it's not consistent, it can cause confusion when network administrators or designers are trying to access it. To reduce the possibility of inconsistencies, the documentation should have a standardized format with clear headings, fonts, and labels.

To know more about Network Design visit:

https://brainly.com/question/30636117

#SPJ11

In comparison to other microprocessor architectures (von
Neumann), why would a buffer overflow be more challenging for a
true Harvard microprocessor architecture?

Answers

In summary, because the program and data are kept in different memory locations, a buffer overflow is more difficult for a genuine Harvard microprocessor design than for a von Neumann architecture.

The von Neumann architecture is an early computer architectural paradigm, and Harvard architecture is a modified version. The primary distinction between the two architectures is how they handle memory.

The von Neumann architecture employs a single memory space for both instructions and data, whereas the Harvard design uses distinct memory regions for instructions and data.


The Harvard architecture is used in many microprocessors because it is faster and more efficient than the von Neumann architecture. However, performing a buffer overflow on an actual Harvard microprocessor design is more challenging than on a von Neumann architecture.

This is because a buffer overflow typically involves overwriting the return address of a function call with an address that points to malicious code. However, in a genuine Harvard design, the program and data are kept in different memory areas, making overwriting the return address more difficult.

In summary, because the program and data are kept in different memory locations, a buffer overflow is more difficult for a genuine Harvard microprocessor design than for a von Neumann architecture.

Learn more about microprocessors:

https://brainly.com/question/27958115

#SPJ11

Give examples of ETL in context of a data warehouse for a hospital
data warehouse which will be used by managers for capacity planning (how many beds are needed,
staffing requirements etc)...

Answers

ETL stands for Extract, Transform, and Load and it is a process used in data warehousing to integrate data from various sources, transform it into a useful format, and load it into a data warehouse.

Here are some examples of ETL in context of a data warehouse for a hospital for managers to use for capacity planning:

Extract:The first step in the ETL process is to extract data from various sources. In the context of a data warehouse for a hospital, these sources could include electronic health records (EHRs), financial data, patient satisfaction surveys, and employee records. For example, data on the number of patients seen per day, the average length of stay, and the number of patients who require specialized care could be extracted from EHRs.Transform:The next step in the ETL process is to transform the extracted data into a useful format. This could involve cleaning up the data, standardizing it, and removing any duplicates or errors. For example, if the extracted data includes patients' addresses, this could be standardized to conform to a specific format, such as ZIP code.Staffing requirements can be determined by a transformation process, where each department's needs are quantified and the sum of all is equal to the total requirement.Load:Finally, the transformed data is loaded into a data warehouse. In the context of a hospital, this could be a centralized database that managers can use to track key performance indicators, such as the number of patients served, bed occupancy rates, and staffing levels. For example, if a manager needs to know how many beds are needed, they could query the data warehouse to find out the average number of patients seen per day and the average length of stay.

Learn more about ETL:

brainly.com/question/32502727

#SPJ11

The velocity of liquid (specific gravity=11.9) in 4cm
diameter pipeline is 6m/s. Calculate the rate of flow in liters per
second and in kg/sec.

Answers

The rate of flow in liters per second is; 7.536 L/s and in kg/sec is 0.089784 kg/s.

Given, the diameter of the pipeline = 4cm

So, radius of the pipe, r = 4/2 = 2 cm = 0.02 m

The velocity of the liquid, V = 6 m/s

Density of liquid, ρ = 11.9 kg/m³

, A = πr² = 3.14 x 0.02² = 0.001256 m²

volume flow rate, we have

Q = AV

= 0.001256 x 6

= 0.007536 m³/s

To convert m³/s to liters per second, we need to multiply by 1000.

So, flow rate in liters per second = 0.007536 x 1000 = 7.536 L/s

m = ρQ

= 11.9 x 0.007536

= 0.089784 kg/s

Therefore, the rate in liters per second is 7.536 L/s, and in kg/sec is 0.089784 kg/s.

Learn more about the velocity here;

https://brainly.com/question/32670444

#SPJ4

There are many algorithms that are used to solve variety of problems. In this part you should write an algorithm that converts a binary number into decimal and converts the decimal into digital format, explain your chosen algorithm, and describe the algorithm steps in pseudo code (Report). Digital Format 82345 68890 1.4 Write a Java program code for the above chosen algorithm, the code will take input, execute algorithm and give output, the algorithm implementation should work regardless the input (Program).

Answers

Algorithm to convert binary number to decimal and decimal to digital format:An algorithm that converts a binary number into decimal and then converts the decimal into a digital format is explained below:Step 1: Start the program.

Step 2: Accept the binary number.Step 3: Initialize the decimal number to 0.Step 4: Initialize the value of the base (base = 1), i.e., the power of the number to 0.Step 5: Obtain the rightmost digit of the binary number and multiply it by the base value. Add the result to the decimal number obtained so far.Step 6: Increment the value of the base by multiplying it by 2 (base = base * 2).Step 7: Drop the rightmost digit of the binary number. Repeat Steps 5 to 7 until all digits have been processed.

Step 8: Print the decimal number obtained in Step 4. Step 9: Initialize the variable i to 0.Step 10: Obtain the rightmost digit of the decimal number. Store this digit in the ith location of an array. Increment i by 1. Step 11: Drop the rightmost digit of the decimal number. Repeat Steps 10 to 11 until all digits have been processed. Step 12: Print the digits stored in the array in reverse order. Step 13: End the program.Pseudo code to convert binary to decimal:decimal_num = 0 power = 0 while (binary_num != 0): remainder = binary_num % 10 binary_num = binary_num // 10 decimal_num = decimal_num + remainder * pow(2, power) power = power + 1 return decimal_num Pseudo code to convert decimal to digital format:num= decimal_num arr= [] while (num > 0): digit = num % 10 arr.append(digit) num = num // 10 return arr print(arr[::-1]) Explanation:In the above algorithm, we start by accepting a binary number as input and initialize the decimal number to 0. Then, we obtain the rightmost digit of the binary number and multiply it by the base value. We add the result to the decimal number obtained so far and increment the value of the base by multiplying it by 2.The above algorithm is then followed by the second algorithm which converts the decimal number to a digital format. We initialize an empty array and then obtain the rightmost digit of the decimal number. We store this digit in the ith location of the array and increment i by 1. We then drop the rightmost digit of the decimal number and repeat the process until all digits have been processed. Finally, we print the digits stored in the array in reverse order.The Java program code for the above algorithm is given below:import java.util.Scanner; public class BinaryToDecimal { public static void main(String[] args) { Scanner scan = new Scanner(System.in); System.out.println("Enter a binary number: "); int binary_num = scan.nextInt(); int decimal_num = 0, i = 0; while (binary_num != 0) { int remainder = binary_num % 10; binary_num = binary_num / 10; decimal_num += remainder * Math.pow(2, i); ++i; } System.out.println("Decimal number: " + decimal_num); int num = decimal_num; int[] arr = new int[10]; i = 0; while (num > 0) { arr[i] = num % 10; num = num / 10; ++i; } System.out.print("Digital format: "); for (int j = i - 1; j >= 0; --j) { System.out.print(arr[j]); } } }The above Java program code will accept a binary number as input and execute the algorithms to convert it into decimal and then convert the decimal into digital format. It will then output the final result.

TO know more about that binary visit:

https://brainly.com/question/28222245

#SPJ11

A substation has a three-phase transformer SFSL1-15000/110 whose capacity ratio is 100/100/100. The test data are P(1-3) are P-3) = 120 kW, P(1-2) = 120 kW P(2-3) = 95 kW Už(1-3)%=17, Už(1-2)%=10.5, Už(2-3)%=6, P = 22.7kW, Ï%=1.3. Find the parameters and equivalent circuit of this transformer.

Answers

The parameters of the transformer are as follows: Rated power = 15 MVA, Rated voltage = 110 kV, Rated current = 100 A, and Impedance = 7.86%.

Based on the given data, we can calculate the parameters and equivalent circuit of the transformer. The capacity ratio of 100/100/100 indicates that all three phases have the same rating.

1. Rated Power:

The given test data provides the real power values for each phase. Since the transformer is three-phase, we can take the average of these values to determine the rated power:

Rated Power = (P(1-3) + P(1-2) + P(2-3))/3 = (120 kW + 120 kW + 95 kW)/3 = 111.67 kW = 15 MVA

2. Rated Voltage:

The given data provides the percentage voltage drops for each phase. We can calculate the rated voltage by dividing the measured voltage drops by the given percentages:

Rated Voltage = Už(1-3)% * 110 kV / 100 = 17 * 110 kV / 100 = 18.7 kV = 110 kV

3. Rated Current:

The rated current can be calculated by dividing the rated power by the rated voltage:

Rated Current = Rated Power / Rated Voltage = 15,000,000 VA / 110,000 V = 100 A

4. Impedance:

The given data provides the real power loss and the apparent power. We can calculate the impedance using the formula:

Impedance = (P^2 + Ï%² * Q²) / S² * 100

where P is the real power, Ï% is the percentage impedance, and Q is the reactive power.

Given: P = 22.7 kW, Ï% = 1.3, S = Rated Power = 15 MVA

Impedance = (22.7² + 1.3² * Q²) / (15,000,000²) * 100

Simplifying this equation, we can solve for Q and find the impedance as 7.86%.

Therefore, the parameters of the transformer are: Rated power = 15 MVA, Rated voltage = 110 kV, Rated current = 100 A, and Impedance = 7.86%.

Learn more about transformer

brainly.com/question/31663681

#SPJ11

[12] 2.2 Project: W10P2 The aim of this task is to determine and display the doubles and triples of odd valued elements in a matrix (values.dat) that are also multiples of 5. You are required to ANALYSE, DESIGN and IMPLEMENT a script solution that populates a matrix from file values.dat. Using only vectorisation (i.e. loops may not be used), compute and display the double and triple values for the relevant elements in the matrix.

Answers

Analysis involves understanding the problem and its constraints, while design focuses on creating the matrix and utilizing vectorization. Implementation involves writing the script to read the matrix from the file, calculate the double and triple values using vectorization, and display the results.

The aim of this task is to determine and display the doubles and triples of odd valued elements in a matrix (values.dat) that are also multiples of 5. You are required to ANALYSE, DESIGN and IMPLEMENT a script solution that populates a matrix from file values.dat.

Using only vectorisation (i.e. loops may not be used), compute and display the double and triple values for the relevant elements in the matrix.What we need to do here is to create a script that will compute and display the double and triple values for the relevant elements in the matrix.

We are given some conditions that we need to follow, such as using vectorisation only. Therefore, we can't use loops. We are also given the matrix in the file values.dat. We need to create a matrix from this file and use it to determine the double and triple values.

The steps we need to follow are as follows:

ANALYSIS: In this step, we need to analyze the problem. We need to read the problem statement and understand what is required of us. We need to understand the conditions that we need to follow and the limitations that we need to work with.DESIGN: In this step, we need to design the solution. We need to think about how we can create a matrix from the file values.dat. We also need to think about how we can use vectorisation to determine the double and triple values.IMPLEMENTATION: In this step, we need to implement the solution. We need to write the script that will read the matrix from the file values.dat. We also need to write the script that will determine the double and triple values using vectorisation. Finally, we need to display the double and triple values.

Learn more about matrix : brainly.com/question/29223307

#SPJ11

Write a suitable C Program to accomplish the following tasks. Task 1: Perform the following calculations on the following matrix: 1. Define the array x= [4.4 5.2 11 13]. 2. Add 3 to every element in x. 3. Define the array y = [5.6 3.80 2 1.3]. 4. Add together each element in array x and in array y. 5. Multiply each element in x by the corresponding element in y. 6. Square each element in array x. 7. Create an array named as z of evenly spaced values from 10 to -4, with a decrement of

Answers

Below is a C program that accomplishes the following tasks. It performs calculations on the given matrix x and y as instructed, and generates an array named "z" of evenly spaced values from 10 to -4 with a decrement of 2.

It will output all the resulting arrays.

#include  int main()

{ float x[] = {4.4, 5.2, 11, 13};

float y[] = {5.6, 3.8, 2, 1.3};

int size = sizeof(x) / sizeof(x[0]);

float z[8];

//Add 3 to every element in x. for(int i = 0; i < size; i++) { x[i] = x[i] + 3; }

//Add together each element in array x and in array y.

for(int i = 0; i < size; i++) { printf("%f\n", x[i] + y[i]); }

//Multiply each element in x by the corresponding element in y.

for(int i = 0; i < size; i++) { printf("%f\n", x[i] * y[i]); }

//Square each element in array x. for(int i = 0; i < size; i++)

{ printf("%f\n", x[i] * x[i]); }

//Create an array named as z of evenly spaced values from 10 to -4, with a decrement of

2. int j = 0; for(float i = 10; i >= -4; i = i - 2)

{ z[j] = i; j++; }

printf("Array Z:\n");

for(int i = 0; i < 8; i++)

{ printf("%f\n", z[i]); } return 0;}

In conclusion, the program accomplishes all the tasks in the question.

The user can compile the program and run it to get the output.

To know more about accomplishes visit:

https://brainly.com/question/31598462

#SPJ11

The answer should not in paper...........
why is not advisable to use binary search algorithm if number of
data items is small? Which algorithm you will use?

Answers

It is not advisable to use binary search algorithm if the number of data items is small because binary search requires the data to be sorted, and sorting itself takes time which makes binary search not worth it if the number of data items is small.

A linear search algorithm is more appropriate when the number of data items is small. Linear search algorithm is a simple algorithm that searches through each item of a list one by one until the target element is found.

It's not the most efficient algorithm for searching large amounts of data, but it is suitable for small data sets.

let's learn more about algorithm:

https://brainly.com/question/24953880

#SPJ11

Pick 6 Numbers From 1 To 42. Create a program that randomly pick 6 numbers from 1 to 42. All 6 numbers must be different from one another (i.e., no two or more numbers picked are the same). The program must ask the user if he/she wants to generate another group of 6 numbers again. Use static or dynamic array. Be creative.
C++

Answers

The 6 numbers are: 13 20 33 42 17 14Do you want to generate another group of 6 numbers (y/n) The 6 numbers are: 2 29 22 26 27 34Do you want to generate another group of 6 numbers (y/n)? thank you for playing! Explanation: In the program.

The array "num" stores the randomly generated 6 numbers. The "strand (time (NULL))" function seeds the random number generator with the current time so that the numbers generated are different every time the program is run.

The "for" loop is used to generate the 6 random numbers. The "for" loop nested inside it checks whether any two or more numbers are the same. If they are, then a new number is generated until all 6 numbers are different.

To know more about generate visit:

https://brainly.com/question/12841996

#SPJ11

.Compute the closure (F+) of the following set F of functional dependencies for relation schema R(A, B, C, D, E).
A → BC
CD → E
B → D
E → A
List the candidate keys for R.

Answers

The closure (F+) of the given set F is A → BCDA, CD → EAB, B → D, E → A. The candidate keys for relation schema R are {A, CD} and {E, CD}.

What is the closure (F+) of the given set F of functional dependencies for relation schema R(A, B, C, D, E)?

To compute the closure (F+) of the given set F of functional dependencies for relation schema R(A, B, C, D, E), we start with the given functional dependencies and repeatedly apply the closure rules until no new attributes can be inferred.

The closure rules are as follows:

1. Reflexivity: If X is a subset of Y, then Y can be inferred from X.

2. Augmentation: If X → Y, then XZ → YZ for any set of attributes Z.

3. Transitivity: If X → Y and Y → Z, then X → Z.

Using these rules, we can determine the closure (F+) as follows:

Starting with the given functional dependencies:

A → BC

CD → E

B → D

E → A

We can infer the following additional functional dependencies:

A → BCD (using augmentation on A → BC)

CD → EA (using augmentation on CD → E)

B → D

E → A

Next, applying transitivity, we can further infer:

A → BCDA (using A → BCD and A → BC)

CD → EAB (using CD → EA and E → A)

B → D

E → A

Finally, there are no new attributes that can be inferred. Therefore, the closure (F+) of the given set F is:

A → BCDA

CD → EAB

B → D

E → A

To determine the candidate keys for relation schema R, we look for attribute sets that determine all other attributes. In this case, the candidate keys are {A, CD} and {E, CD}, as they both satisfy the closure (F+) and uniquely identify all attributes in R.

Learn more about closure

brainly.com/question/30105700

#SPJ11

You, Alice and Bob have been working on tight bounds on common summations ex- pressing the run time of loops. a) Alice has noticed that there is a pattern appearing in some of the summations she has been working on: • ΣἰεΘ(n?) Σ=1i εΘ(n3) Σ₁₁i² € 0 (n²) Help her by stating a good guess for a Theta bound on this summation for any d>0. b) Bob wants make sure the guess is correct before he uses it. Prove to Bob that your bound is correct using either the binding the term and splitting the sum technique or the approximation by integration technique. Whichever method you choose make sure to show all of your steps. IM=

Answers

Theta bound on the summation would be O(n^6).b) In order to prove the above result, we can use the bound the term and splitting the sum technique.

Bound each term by 1For any i ε Θ(n^3), the value of the term in the series is:⇒ i^2/n^2≤i^2 = 1i^2/n^2≤1i/n^2Step 2: Split the summationΣiεΘ(n^3) i^2 = Σi=1^ni^2 + Σi=n+1^bn^2⇒ Σi=1^ni^2 ≤ n^3 and Σi=n+1^bn^2≤n^3⇒ Σi=1^ni^2+Σi=n+1^bn^2≤2n^3 The bound becomes clearerΣi=1^ni^2 ≤ n^3⇒ Σi=1^ni^2/n^6 ≤ 1/n^3Σi=1^ni^2/n^4 ≤ 1/n⇒ Σi=1^ni^2/n^4 ≤ 1/n The final result is O(n^6).

Hence, we can say that the guess for a Theta bound on the summation is correct.Note: As the required summation is quite large, the approximation by integration technique would not have been a feasible method. Hence, we used the bound the term and splitting the sum technique.

To know more about Theta bound visit:

https://brainly.com/question/32290647

#SPJ11

Create an ASM chart of a counter having one input X and one output Z. Counter will have five states, state 0 (i.e., S0) to state 4 (i.e., S4) and it moves to next state only and only if input X = 1 at the time of arrival of clock pulse. If X = 0 at this time counter does not move to next state and maintains its current state. Also when in state S4 then X = 1 at clock pulse moves the system to next state S0 i.e., to initial state so that counting can be restarted from 000. The output Z produces a pulse when X = 1 at 5 clock pulses or when state changes from S4 to S0. Draw the one flip-flop per state.

Answers

ASM Chart of a counter having one input X and one output Z:An ASM chart is used to create designs for a digital circuit, which can help in the visualization of a system, and it is an excellent way to explain how a system operates.

Below is an ASM chart for a counter having one input X and one output Z, including five states S0, S1, S2, S3, and S4 with a clock pulse arrival and a pulse output:State 0 S0: If the input X = 1, then move to the next state, i.e., S1, otherwise maintain the current state.State 1 S1: If the input X = 1, then move to the next state, i.e., S2, otherwise maintain the current state.State 2 S2: If the input X = 1, then move to the next state, i.e., S3, otherwise maintain the current state.State 3 S3: If the input X = 1, then move to the next state, i.e.

Otherwise maintain the current state.State 4 S4: If the input X = 1, then go back to the initial state, i.e., S0, and start counting again. If the input X = 0, then maintain the current state.The output Z produces a pulse when X = 1 at 5 clock pulses or when state changes from S4 to S0. The figure below shows a counter having one input X and one output Z with five states, and each state has one flip-flop:Finally, The circuit diagram for this system is shown below:Thus, the ASM chart for a counter having one input X and one output Z is designed with five states S0, S1, S2, S3, and S4 with a clock pulse arrival and a pulse output, and each state has one flip-flop.

To know more about counter visit:

https://brainly.com/question/3970152

#SPJ11

Create/Deploy a secure java java application that will ask the user for the number of values they would like to enter.
You program will then continuously prompt the user for a number .
You will then determine if the number the user entered is even or odd. Note you must use a FOR loop!
B.Create a password checking application the gives the user 3 trials to generate a valid username and password. The criteria for the username and password is as follows.
1. The username cannot be the same as the password and must be greater than 8 characters

Answers

The provided Java code snippets demonstrate a secure application: one that determines if entered numbers are even or odd using a FOR loop, and another that allows users three trials to generate a valid username and password, adhering to specific criteria.

Creating and deploying a secure Java application that asks the user for the number of values and determines if each entered number is even or odd using a FOR loop:

import java.util.Scanner;

public class EvenOddChecker {

   public static void main(String[] args) {

       Scanner scanner = new Scanner(System.in);

       System.out.print("Enter the number of values: ");

       int numValues = scanner.nextInt();

       for (int i = 0; i < numValues; i++) {

           System.out.print("Enter a number: ");

           int number = scanner.nextInt();

           if (number % 2 == 0) {

               System.out.println("Even");

           } else {

               System.out.println("Odd");

           }

       }

   }

}

B. Creating a password-checking application that gives the user 3 trials to generate a valid username and password:

import java.util.Scanner;

public class PasswordChecker {

   public static void main(String[] args) {

       Scanner scanner = new Scanner(System.in);

       int maxTrials = 3;

       int trials = 0;

       while (trials < maxTrials) {

           System.out.print("Enter a username: ");

           String username = scanner.nextLine();

           System.out.print("Enter a password: ");

           String password = scanner.nextLine();

           if (isValid(username, password)) {

               System.out.println("Valid username and password created!");

               break;

           } else {

               trials++;

               System.out.println("Invalid username or password. Please try again.");

           }

       }

       if (trials == maxTrials) {

           System.out.println("Maximum trials reached. Exiting application.");

       }

   }

   private static boolean isValid(String username, String password) {

       return !username.equals(password) && username.length() > 8;

   }

}

Please note that these code snippets provide a basic implementation of the requested functionalities. For a secure application, additional measures such as password hashing and validation, input sanitization, and secure storage of user credentials should be considered.

Learn more about Java application at:

brainly.com/question/25458754

#SPJ11

In a Java program, use for loop along with the method written in part (3.5) to detect and store the first 4 perfect integers in an array, then print that array. Your for loop needs to run from 1 to 10,000.

Answers

The Java program to detect and store the first 4 perfect integers in an array, then print that array would be shown below.

How to code the Java program ?

Perfect numbers are numbers that are equal to the sum of their proper divisors, excluding the number itself. With the limit of 10,000, we will only be able to find the first 4 perfect numbers.

The Java program is:

import java.util.Arrays;

public class Main {

   public static boolean isPerfect(int n) {

       int sum = 1; // Start with 1, since it's a divisor of every number

       for (int i = 2; i * i <= n; i++) {

           // if divisor is found, add it to sum

           if (n % i == 0) {

               // if both divisors are same, add it only once, else add both

               if (i * i != n) {

                   sum = sum + i + n / i;

               } else {

                   sum = sum + i;

               }

           }

       }

       // if sum of divisors is equal to n, then n is a perfect number

       if (sum == n && n!=1)

           return true;

       

       return false;

   }

   public static void main(String[] args) {

       int[] perfectNumbers = new int[4];

       int count = 0;

       for (int i = 2; i <= 10000; i++) {

           if (isPerfect(i)) {

               perfectNumbers[count] = i;

               count++;

               if (count == 4) {

                   break;

               }

           }

       }

       System.out.println(Arrays.toString(perfectNumbers));

   }

}

This code checks all numbers up to 10,000 to see if they're perfect, and stops after finding the first 4 perfect numbers. It then prints out the array containing these numbers.

Find out more on Java programs at https://brainly.com/question/26789430

#SPJ4

7f. a = 8
(f) (10 pts.) A sampling system operates at a sampling rate of 150(a + 1) Msamples/s. The percentage oversampling is 20%. Determine the maximum frequency of the input signal.

Answers

The maximum frequency of the input signal is determined to be 675 Hz for a value of a = 8.

Given, the sampling rate of the system, 150(a + 1) Msamples/sPercentage of oversampling = 20%.

So, percentage of sampling = 100% + 20% = 120% = 1.2.

Maximum frequency of the input signal can be obtained using the formula below:[tex]$$f_{max} = \frac{f_s}{2}$$, $where $f_s$ is the sampling frequency\\\\$f_{max} = \frac{150(a+1)}{2} = 75(a+1)$$[/tex]

Thus, maximum frequency of the input signal is 75(a + 1) Hz. Now, a = 8. Therefore, maximum frequency of the input signal = 75(8+1) = 675 Hz

The maximum frequency of the input signal can be calculated using the formula f_max = fs/2. Substituting the values, we find that the maximum frequency is 75(a + 1) Hz.

By setting a value of 8, we determine that the maximum frequency of the input signal is 675 Hz. This information allows for proper analysis and design considerations when working with the given sampling rate and oversampling percentage.

Learn more about maximum frequency: brainly.com/question/9668457

#SPJ11

Create a Circle class with 2 attributes (radius(decimal), pi(decimal)). Create a constructor with 1 parameter for radius. Pi has a default value – 3.14. Create accessor methods for these attributes. Create an area() method that returns the area of the circle. ( = 2) Create a Cylinder class that extends Circle class and add 1 more attribute (height). Create accessor method for this attribute and a constructor with 2 parameters that calls the constructor from the superclass. Create a volume() method that returns the volume of the cylinder by using the method area() from the superclass. ( = h2) Override the area() method to calculate the area of the entire surface of the cylinder. ( = 22 + 2h ).

Answers

Cylinder class overrides the area() method to calculate the area of the entire surface of the cylinder. Circle class with 2 attributes (radius(decimal), pi(decimal)):

The circle class with two attributes is defined as follows:

class Circle{ private decimal radius; private decimal pi = 3.14m; //constructor with 1 parameter for radius public Circle(decimal r) { this.radius = r; } //Accessor method for radius public decimal getRadius() { return radius; } //Accessor method for pi public decimal getPi() { return pi; } //Method that returns the area of the circle public decimal area() { return pi * radius * radius; } }Cylinder class that extends Circle class:

A Cylinder class that extends the Circle class with an added height attribute and additional methods is defined as follows:class Cylinder extends Circle{ private decimal height; //constructor with 2 parameters public Cylinder(decimal r, decimal h) { super(r); //calling constructor from the superclass this.height = h; } //Accessor method for height public decimal getHeight() { return height; } //Method that returns the volume of the cylinder public decimal volume() { return area() * height; } //Method that calculates the area of the entire surface of the cylinder and overrides the area() method from the superclass public decimal area() { return (2 * super.getPi() * super.getRadius() * super.getHeight()) + (2 * super.area()); } }

Cylinder class has an accessor method for the added attribute, a constructor that calls the constructor from the superclass, and a volume() method that returns the volume of the cylinder by using the method area() from the superclass. Cylinder class overrides the area() method to calculate the area of the entire surface of the cylinder.

To know more about Cylinder visit:

brainly.com/question/15017350

#SPJ11

Other Questions
Someone promised to pay you $1000 in two years and the person will keep the promise with certainty. You also know that the interest this year is 4% (between 2019-2020) but it is expected to increase to 5% next year (between 2020 2021) What is the maximum price you would pay to secure that $1000 in two years? SCHEDULE M-1 RECONCILIATION (10 Points) For the current tax year, Fannie Corporation, an Accrual Basis calendar year corporation, had the following information:Net Income Per Books (after-tax) $608,750Premiums On Life Insurance Policy On Its Key Employees * 14,000Excess Capital Losses 9,000Excess Tax Depreciation 21,000 (MACRS Depreciation in excess of Financial Accounting (Book) Depreciation)Life Insurance Proceeds On Life Of Its Key Employees * 450,000Rental Income Received In Current Tax Year 100,000 ($20,000 Is Prepaid (Unearned Revenue) And Relates To Next Tax Year)Tax-Exempt Interest Income On Municipal Bonds 19,500Expenses Related To Tax-Exempt Interest Income 7,500Prepaid Rent (Unearned Revenue) Received And Properly Taxed In Prior Tax Year But Not Earned For Financial Accounting 70,000 Purposes Until Current Tax YearFederal Income Tax liability For Current Tax Year 26,250 *- Fannie Corporation is the beneficiary of this Life Insurance Policy.REQUIRED: Using the Schedule M-1 format, determine the Taxable Income for Fannie Corporation for the current tax year. (Show computations) 1. A sample of 70 night-school students' ages is obtained in order to estimate the mean age of night-school students. x = 25.7 years. The population variance is 29.(a) Give a point estimate for . (Give your answer correct to one decimal place.)(b) Find the 95% confidence interval for . (Give your answer correct to two decimal places.)Lower LimitUpper Limit(c) Find the 99% confidence interval for . (Give your answer correct to two decimal places.)Lower LimitUpper Limit2. Two hundred fish caught in Cayuga Lake had a mean length of 13.1 inches. The population standard deviation is 3.7 inches. (Give your answer correct to two decimal places.)(a) Find the 90% confidence interval for the population mean length.Lower LimitUpper Limit(b) Find the 98% confidence interval for the population mean length.Lower LimitUpper Limit If you throw a pair of six-sided diced with the faces numbered 1to 6, what is the probability that the sum of the two faces adds to4?a. 1/2b. 3/18c. 5/36d. 1/3 The asteroid that created the Chicxulub crater which wiped out the dinosaurs had an estimated kinetic energy of K= 1.5 x 10^24J . If the mass of the asteroid is presumed to be 10^16 kg , what would the recoil speed of the Earth have been from this impact? ( M= 5.98 x 10^24 kg ) A municipality is evaluating three different alternatives for city water filtration system. Details of each alternative is given below: Alternative A: The project requires $400,000 investment in year n=0 and it has an annual operating cost of $60,000. This alternative has a useful life of 7 years. Alternative B: The project requires $300,000 in investment in year n=0 and it has an operating cost of $65,000 per year. This alternative has a total useful life of 13 years. Alternative C: The project requires $350,000 investment in year n=0. The operating cost for the project is $38,000 in year n=1 and increases by 5% each year until the end of its useful life of 10 years. For all there alternatives, there are no salvage values and annual social benefit is estimated to be $150,000 per year. We know that the social discount rate is 15% per year. a) (10 points) Calculate the profitability index (P I) for all three alternatives separately. b) (15 points) Using the profitability index (P I) analysis, find the most attractive alternative given that the required service period is infinite and each alternative can be repeated with the same financial attributes. Show your work clearly to obtain full credit. (Hint: you are comparing mutually exclusive alternatives with unequal service lives) Suppose you purchase $1000 face-value of each of the following two bonds. Bond A: 3% Coupon rate, Treasury Bond, with semi-annual coupon payments, 30-year maturity and yield to maturity 4% quoted as an APR with semi-annual compounding. Bond B: Ford Motor 6% Coupon, with semi-annual coupon payments, 10-year maturity and a spread of 2% over the 30-year Treasury Bond yield, quoted as an APR with semi-annual compounding. Compute the price of Bond A and Bond B. Draw a graph that illustrates how the price of each of the bonds will change until maturity assuming no change in their yields to maturity. If the yield to maturity of both bonds increase by 1% right after the purchase, by what percentage do Bond A and Bond B prices change? Which bond price is more sensitive to interest rate changes and why? n "drum, buffer, rope," the Blank 1 is the resource - usually inventory, which may be helpful to keep the bottleneck operating at the pace of the drum. Blank 1 Add your answer A sphere of radius r = 2 cm creates an electric field of strength E = 3 N/C at a distance d = 5 cm from the center of the sphere. What is the electric flux through the surface of the sphere drawn at distance d = 5 cm? Suppose that a certain differential equation has two solutions at the point y(t0) = y0. Explain why there could be two solutions to the differential equation without contradicting the existence and uniqueness theorem. How does your answer vary depending on the classification of the differential equation? Two particles which have the same magnitude charge but opposite sign are held r=6 nm apart. Particle I is then released while Particle II is held steady; the released particle has a mass of 5.1110 23kg. Particle I's speed is 140 km/s when it is 0.65r away from Particle II. \& 50% Part (a) What is the magnitude of the charge on one of the particles? ASTM standard E23 defines standard test methods for notched bar impact testing of metallic materials. The Charpy V-Notch (CVN) technique measures impact energy and is often used to determine whether or not a material experiences a ductile-to-brittle transition with decreasing temperature. Ten measurements of impact energy (measured in Joules) on specimens of A 238 steel cut at 600 C are as follows: 64.1, 64.7, 64.5, 64.6, 64.5, 64.3, 64.6, 64.8, 64.2 and 64.3. Assume that impact energy is Normally Distributed with =1.a) Construct and interpret a 95% two-sided Confidence Interval for the true mean impact energy.b) Construct and interpret a 95% Lower Confidence Interval for the true mean impact energy.c) What are the critical values (i.e. Z_ or Z_(/2)) used in constructing the Confidence Intervals in parts (a) and (b) respectively? Qdot purchased goods from Pinpoint Sdn. Bhd. last month and paid the company RM1,000 this month. The payment transaction involves two accounts, which are:Select one:A.Cash and Owner's Equity.B.Cash and Merchandise Inventory.C.Cash and Accounts Payable.D.Cash and Accounts Receivable. Q3) In the late 2000 s, Blockbuster struggled and eventually went out of business while Netflix kept thriving. What made this difference? How were the two companies different in those years? Q4) What are the (a) opportunities and (b) threats that Netflix is facing currently? [Tip: Remember that opportunities and threats are factors that exist outside the company.] (a) (b) Given num,rows and num_cols, print a list of all seats in a theater. Rows are numbered, columns lettered, as in 1 A or 3E. Print a space after each seat. Sample output with inputs: 23 1 A1 B1C2 A2 B2C What are your Central longitude, Southern latitude, and Northern latitude for your Turkey coordinate system? Gujarat Co-operative Milk Marketing Federation Limited(GCMMF), owner of brand Amul the largest food productsorganization of India, has announced the launch of "AmulOrganic Atta". Amul is now all seGujarat Co-operative Milk Marketing Federation Limited (GCMMF), owner of brand Amul the largest food products organization of India, has announced the launch of "Amul Organic Atta". Amul is now all se What traits do you have to possess to successfully lead a hunter-gatherer society or an agricultural society?(write a paragraph of 5 sentences. State your stance and opinion clearly. Support it with reasons, theories, historical facts, discoveries, and examples.) Bubbly Waters currently sells 420 Class A spas, 570 Class C spas, and 320 deluxe model spas each year. The firm is considering adding a mid-class spa and expects that if it does, it can sell 495 units per year. However, if the new spa is added, Class A sales are expected to decline to 285 units while the Class C sales are expected to increase to 595. The sales of the deluxe model will not be affected. Class A spas sell for an average of $14,300 each. Class C spas are priced at $7,200 and the deluxe models sell for $18,200 each. The new mid-range spa will sell for $9,200. What annual sales figure should you use in your analysis? Describe the sampling distribution of p. Assume the size of the population is 30,000. n=1300, p=0.346 COF Describe the shape of the sampling distribution of p. Choose the correct answer below OA. The shape of the sampling distribution of p is not normal because n0.05N and np(1-p) 10. OB. The shape of the sampling distribution of p is not normal because n 0.05N and np(1-p) < 10 OC. The shape of the sampling distribution of p is approximately normal because n 0.05N and np(1-p) 10. OD. The shape of the sampling distribution of p is approximately normal because n 0.05N and np(1-p) < 10.