Use the Master Theorem to find and prove tight bounds for these recurrences. a) n ≤ 1 T(n)= ¹) = { 27([4])+16n_ifn>1 b) n r(n) = { 47 (14])+16n if>1 c) if n ≤ 1 T(n) ) = { 87(4])+16n_ifn>1 For this problem consider raising an integer a to the power n (another non-negative integer). Mathematically we use a" express the output to this problem. Sometimes in a computer science context we might use EXP(a, n) to express the same output. You can use whichever notation you find most comfortable for your solution. a) Express this problem formally with an input and output. b) Write a simple algorithm using pseudocode and a loop to solve this problem. How many integer multiplications does your algorithm make in the worst case? c) Now use the divide and conquer design strategy to design a self-reduction for this problem. (Hint: It might help to consider the cases when n is even and odd separately.) d) State a recursive algorithm using pseudocode based off of your self-reduction that solves the problem. e) Use big-Theta notation to state a tight bound on the number of multiplications used by your algorithm in the worst case.

Answers

Answer 1

a) Master Theorem can be applied for the above recurrences. Given,

In the above question, we can observe that the given recurrence relations are as follows:1. T(n)= ¹) = { 27([4])+16n_ifn>1 where n≤1.2. n r(n) = { 47 (14])+16n if>1 where n≤1.3. if n ≤ 1 T(n) ) = { 87(4])+16n_ifn>1. We have to find and prove the tight bounds for the above recurrences.In the first recurrence relation, it is observed that the value of a, b, and f(n) are 27, 4, and 16n respectively.

Using the Master Theorem, we get T(n) = Θ(nlog427 ) = Θ(n3.76 ) .In the second recurrence relation, it is observed that the value of a, b, and f(n) are 47, 14, and 16n respectively.Using the Master Theorem, we get T(n) = Θ(nlog1447 ) ≈ Θ(n2.64 ) .In the third recurrence relation, it is observed that the value of a, b, and f(n) are 87, 4, and 16n respectively.Using the Master Theorem, we get T(n) = Θ(nlog487 ) ≈ Θ(n3.22 ) .Thus, the tight bounds for the above recurrences are proved using the Master Theorem.

To know more about master visit:

https://brainly.com/question/31415669

#SPJ11


Related Questions

The Horton’s initial infiltration capacity for a catchment is 204 mm/h and the constant infiltration value at saturation is 60 mm/h. For a rainfall in excess of 204 mm/h maintained at this rate for 50 minutes, the infiltrated volume was observed to be 50.6 mm. Determine the value of k in Horton’s equation.

Answers

The given problem is an application of Horton's equation. This equation is used to express the rate of infiltration of water into the soil, under the influence of gravity, as a function of time.

According to Horton's equation, the infiltration rate, f is given by

[tex]f = fc + (fo - fc)e^{-kt}[/tex]

where f is the infiltration rate,fc is the infiltration capacity at saturation,fo is the initial infiltration capacity,k is the decay constant andt is the time.

The infiltrated volume can be calculated as V = ∫ f dtwhere V is the infiltrated volume.The given information can be used to calculate the value of k. Given:

fc = 60 mm/hfo

= 204 mm/hV

= 50.6 mmt

= 50 minutes

= 50/60 hours

= 5/6 hours.

The rainfall in excess of 204 mm/h maintained at this rate for 50 minutes implies that the rainfall rate, R = 204 mm/h. Therefore, the infiltrated volume, V is given byV = (R - f0)At t = 0, f = fo = 204 mm/h.

Therefore,

V = ∫_{0}^{5/6} (204 - 60e^{-kt}) dt= 204t + 10(e^{-kt})|_{0}^{5/6}

Putting the limits of integration, we get

[tex]V = 170 + 34.94 e^{-k(5/6)} = 50.6 mm[/tex]

From this equation, we can calculate the value of k as follows:

[tex]34.94 e^{-k(5/6)}[/tex]

= 50.6 - 170

= [tex]-119.4e^{-k(5/6)}[/tex]

= -3.417k

= -1.7776

Substituting this value of k in the Horton's equation, we get [tex]f = 60 + (204 - 60)e^{-1.7776t}[/tex].

Therefore, the value of k in Horton's equation is -1.7776.

To know more about  Horton's equation visit;

https://brainly.com/question/32193963

#SPJ11

Please write the program in C++ and comment how the program actually works. Thank you for your help.
Chapter on Polymorphism and Virtual Functions
File Filter
A file filter reads an input file, transforms it in some way, and writes the results to an output file. Write an abstract file filter class that defines a pure virtual function for transforming a character. Create one subclass of your file filter class that performs encryption, another that transforms a file to all uppercase, and another that creates an unchanged copy of the original file. void doFilter(ifstream &in, ofstream &out) that is called to perform the actual filtering. The member function for transforming a single character should have the prototype char transform(char ch)

Answers

The given program is based on file filters. Let's start by defining file filters. A filter is an object that reads data from a stream, modifies it in some way, and writes the modified data to a stream. A file filter is a filter that reads data from a file and writes it back to a file. This is accomplished by reading a file character by character, transforming each character, and writing the transformed character to the output file. So, the main answer of the program in C++ and commented program will be:Program#include
#include
using namespace std;
//Abstract File Filter Class Definition
class FileFilter {
public:
   virtual char transform(char ch) = 0;
   void doFilter(ifstream &in, ofstream &out);
};
//Encrypting File Filter Class Definition
class EncryptingFileFilter : public FileFilter {
private:
   int key;
public:
   EncryptingFileFilter(int k) { key = k; }
   virtual char transform(char ch);
};
//All Uppercase File Filter Class Definition
class AllUppercaseFileFilter : public FileFilter {
public:
   virtual char transform(char ch);
};
//Copy File Filter Class Definition
class CopyFileFilter : public FileFilter {
public:
   virtual char transform(char ch);
};
void FileFilter::doFilter(ifstream &in, ofstream &out) {
   char ch;
   char transCh;
   while (in.get(ch)) {
       transCh = transform(ch);
       out.put(transCh);
   }
   in.close();
   out.close();
}
char EncryptingFileFilter::transform(char ch) {
   char newCh;
   newCh = (ch + key) % 128;
   return newCh;
}
char AllUppercaseFileFilter::transform(char ch) {
   char newCh;
   if (islower(ch))
       newCh = toupper(ch);
   else
       newCh = ch;
   return newCh;
}
char CopyFileFilter::transform(char ch) {
   return ch;
}
//Main Function
int main() {
   //Creating Object of AllUppercaseFileFilter
   AllUppercaseFileFilter obj1;
   
   }
   cout << "1)All Uppercase\n2)Copy\n3)Encrypting\nEnter Your Choice: ";
   int choice;
   cin >> choice;
   switch (choice) {
   case 1:
       obj1.doFilter(fin, fout);
       break;
   case 2:
       obj2.doFilter(fin, fout);
       break;
   case 3:
       obj3.doFilter(fin, fout);
       break;
   default:
       cout << "Invalid Choice";
       break;
   }
   cout << "Process Complete!";
   return 0;
}

This program consists of four classes, namely FileFilter, EncryptingFileFilter, AllUppercaseFileFilter, and CopyFileFilter. The FileFilter class is an abstract class that defines a pure virtual function named transform() and a non-virtual member function named doFilter(). The transform() function is implemented by the derived classes, and the doFilter() function is used to read data from a file, transform it using the transform() function, and write the transformed data back to another file.The EncryptingFileFilter class is a derived class of the FileFilter class that performs encryption on a file.

Learn more about encryption

https://brainly.com/question/4280766

#SPJ11

Use Set Operators to answer these queries:
List the number and name of each customer that either lives in the state of New Jersey (NJ) or that currently has a reservation, or both.
CREATE TABLE RESERVATION (
RESERVATION_ID char(7) NOT NULL UNIQUE,
TRIP_ID varchar(2) NOT NULL,
TRIP_DATE date NOT NULL,
NUM_PERSONS int NOT NULL,
TRIP_PRICE decimal(6,2) NOT NULL,
OTHER_FEES decimal(6,2) NOT NULL,
CUSTOMER_NUM char(3) NOT NULL
PRIMARY KEY(RESERVATION_ID)
FOREIGN KEY (TRIP_ID) REFERENCES TRIP(TRIP_ID),
FOREIGN KEY (CUSTOMER_NUM) REFERENCES CUSTOMER(CUSTOMER_NUM)
);
CREATE TABLE CUSTOMER (
CUSTOMER_NUM char(3) NOT NULL UNIQUE,
CUSTOMER_LNAME varchar(20) NOT NULL,
CUSTOMER_FNAME varchar(20) NOT NULL,
CUSTOMER_ADDRESS varchar(20) NOT NULL,
CUSTOMER_CITY varchar(20) NOT NULL,
CUSTOMER_STATE char(2) NOT NULL,
CUSTOMER_POSTALCODE varchar(6) NOT NULL,
CUSTOMER_PHONE varchar(20) NOT NULL
PRIMARY KEY (CUSTOMER_NUM)
);

Answers

To list the number and name of each customer who either lives in the state of New Jersey (NJ) or currently has a reservation, or both, we can use set operators in SQL. Specifically, we can use the UNION operator to combine the results of two separate queries.

First, let's retrieve the customers who live in New Jersey:

```sql

SELECT CUSTOMER_NUM, CUSTOMER_LNAME, CUSTOMER_FNAME

FROM CUSTOMER

WHERE CUSTOMER_STATE = 'NJ'

```

Next, let's retrieve the customers who have reservations:

```sql

SELECT CUSTOMER_NUM, CUSTOMER_LNAME, CUSTOMER_FNAME

FROM CUSTOMER

WHERE CUSTOMER_NUM IN (SELECT CUSTOMER_NUM FROM RESERVATION)

```

Now, we can combine the results of the above two queries using the UNION operator:

```sql

SELECT CUSTOMER_NUM, CUSTOMER_LNAME, CUSTOMER_FNAME

FROM CUSTOMER

WHERE CUSTOMER_STATE = 'NJ'

UNION

SELECT CUSTOMER_NUM, CUSTOMER_LNAME, CUSTOMER_FNAME

FROM CUSTOMER

WHERE CUSTOMER_NUM IN (SELECT CUSTOMER_NUM FROM RESERVATION)

```

This query will give us the desired result, listing the customer number, last name, and first name of each customer who either lives in New Jersey or has a reservation, or both.

In conclusion, by using the UNION operator in SQL, we can combine the results of two separate queries to list the customers who meet the given conditions.

To know more about SQL visit-

brainly.com/question/31715892

#SPJ11

Construct the expression tree for the following post-fix expression. You just need to show the final expression tree. Post-Fix expression: X Y + U V + Z * *

Answers

The expression tree for the given postfix expression X Y + U V + Z * * is provided below in the solution.

Given postfix expression: X Y + U V + Z * *The expression tree for the above postfix expression is as follows:The postfix expression is: X Y + U V + Z * *We start scanning the postfix expression from left to right.When we encounter an operand, we push it onto the stack.When we encounter an operator, we pop two operands from the stack, perform the operation and push the result back onto the stack.After processing all the operands and operators, the final result is left on the stack, which is the root of the expression tree.In this example, we first encounter operands X and Y. We push them onto the stack. We encounter the + operator, so we pop Y and X from the stack, and calculate X+Y=Z. We push Z onto the stack.Next, we encounter the operands U and V. We push them onto the stack. We encounter the + operator, so we pop V and U from the stack, and calculate U+V=W. We push W onto the stack.Then, we encounter the * operator. We pop Z and W from the stack, and calculate Z*W=Ans. We push Ans onto the stack, which is the final result.Now, we build an expression tree using this stack. We start by popping the Ans, which is the root of the tree. We assign Z*W to this root. Then, we pop W, and assign U+V to the left of the root. We then pop Z, and assign X+Y to the right of the root.

The expression tree has been constructed for the given postfix expression.

To know more about expression tree visit:

brainly.com/question/32610054

#SPJ11

What will be the pressure head of a point in tim of Hifpure head of that point is equal to 67 cm of water? Assume specific gravity of He equal to 13.6 and speed weight of water is 9800 N

Answers

The pressure head of a point is 4.93 m of water if the gauge head of that point is equal to 67 cm of water.

Given that the specific gravity of He = 13.6 and the specific weight of water = 9800 N. If the gauge head of a point is equivalent to 67 cm of water, then the pressure head of that point can be calculated as follows: Pressure head of point = Gauge head × Specific gravity of the fluid= 67 × (1/13.6) m of water = 4.93 m of water Furthermore, The pressure head of a point is the vertical distance between the point and the hydraulic grade line (HGL). It is used to determine the pressure at any point in a fluid. The pressure head of a point can be calculated using the gauge head of the point. Gauge head is the difference between the actual head and the pressure head of the point. In this question, the gauge head of the point is given as 67 cm of water. To calculate the pressure head of the point, we need to convert the gauge head to the pressure head. The pressure head of a point is the product of the gauge head and the specific gravity of the fluid. Therefore, the pressure head of the point = Gauge head × Specific gravity of the fluid= 67 × (1/13.6) m of water= 4.93 m of water. This means that the vertical distance between the point and the HGL is 4.93 m of water.

The pressure head of a point is 4.93 m of water if the gauge head of that point is equal to 67 cm of water.

To know more about pressure visit:

brainly.com/question/30673967

#SPJ11

"please give me different and longer answer from previous one.
what is the scope of work in updating window 10 to window
11."

Answers

The scope of work in updating Windows 10 to Windows 11 entails various stages and activities that must be completed successfully to ensure a smooth and effective transition. Updating your operating system is a critical process that requires careful planning, execution, and evaluation.

The first step in the process is to conduct a thorough evaluation of your computer system to ensure that it meets the minimum requirements for Windows 11. You can use the Microsoft PC Health Check app to check if your device is compatible with Windows 11. Once you have confirmed that your device is compatible, you can proceed to download and install the Windows 11 update.

Depending on the size of the update, this process may take several hours to complete. In addition to the initial update, you may need to perform additional tasks to ensure that your device is running smoothly and securely. For example, you may need to update your drivers and software to ensure that they are compatible with Windows 11.

You may also need to configure your settings and preferences to optimize performance and functionality. Finally, it is essential to test your system thoroughly to ensure that the update has been successful. You can do this by running various diagnostic tests and monitoring your system performance.

To know more about transition visit:

https://brainly.com/question/14274301

#SPJ11

Matlab only
A. What are the components of a function header? To answer this question, write an example of a function header, and then describe each of the components.
B. For the function header you created in Part A, describe the proper way to call this function. Did your function call include all of the components of the function header? If not, what component is missing and why?

Answers

A. Components of a function header: A function header is a code that starts a function, and the function header comprises the function name, the inputs to the function, and the outputs from the function. Here is an example of a function header:

`function [outputArg1,outputArg2] = functionName(inputArg1,inputArg2)`The function header has the following components: function: The function keyword indicates to MATLAB that a new function is being started. functionName: The name of the function should be given. The name should begin with a letter and be followed by letters, numbers, or underscores. inputArg1 and inputArg2:

These are the input variables for the function. If no input variables are needed, write empty brackets (). outputArg1 and outputArg2: These are the output variables for the function. If no output variables are needed, write empty brackets ().B. Calling a function in Matlab: To call a function, simply type its name in the command window followed by the input variables. For the function header created in Part A, the proper way to call this function is `functionName(inputArg1,inputArg2)`

The function call should include all the components of the function header (function name, input variables, and output variables).

learn more about function here

https://brainly.com/question/22340031

#SPJ11

The company plans to implement a network with wireless access for their staff within th... Flag The company plans to implement a network with wireless access for their staff within the company. Suppose you are the network administrator who responsible for the design and setup of the network. (iii) You are a receiver with p = 5, q = 7. You make the modulus n = 35 public and the exponent e = 5 and make that public. Messages to you come one letter at a time. Letters correspond to numbers as usual (A = 0, B = 1, and so forth). The following message comes for you: 12 18 28 6 0 8 13 Decode it and show your steps.

Answers

The following are the steps to decode the message. Given that receiver has p=5, q=7, modulus n = 35 and the exponent e=5 and message 12 18 28 6 0 8 13.

i) Let us first compute (p-1)*(q-1).=> (5-1)*(7-1) = 4*6 = 24

ii) Calculate the value of d. (d*e) mod (p-1)*(q-1) = 1 = > (d*5) mod 24 = 1i.e. d= 5 or 29 [because (29*5)mod24=1]

iii) Decoding the message using the formula: cipher text^d mod n= Message.

Decrypt 12, 18, 28, 6, 0, 8, 13 using the above formula:

12^d mod 35 = (12^5) mod 35 = 248832 mod 35 = 18 (because 248832 mod 35 = 18)

18^d mod 35 = (18^5) mod 35 = 1889568 mod 35 = 12 (because 1889568 mod 35 = 12)

28^d mod 35 = (28^5) mod 35 = 3226876976 mod 35 = 13 (because 3226876976 mod 35 = 13)

6^d mod 35 = (6^5) mod 35 = 7776 mod 35 = 1 (because 7776 mod 35 = 1)

0^d mod 35 = (0^5) mod 35 = 0 (because any number raised to 0 power is 1 and (1 mod 35) = 1)

8^d mod 35 = (8^5) mod 35 = 32768 mod 35 = 18 (because 32768 mod 35 = 18)

13^d mod 35 = (13^5) mod 35 = 371293 mod 35 = 28 (because 371293 mod 35 = 28)

Hence, the decoded message is: SMGAFHN. Therefore, the decoded message is SMGAFHN.

To know more about decoder visit:
https://brainly.com/question/31064511

#SPJ11

For each of the following languages give a regular expression that describes it. A2 = {w € {ab}* w contains an odd number of as and each a is followed by at least one b}.

Answers

this regular expression describes the given language.

The given language can be expressed as {w € {ab}* w contains an odd number of as and each a is followed by at least one b}.

The regular expression for this language is (b*ab*ab*)* a (b*ab*ab*)*. This expression states that every string in the language starts with a single a.

Then it has zero or more occurrences of the string b*ab*ab*. This string ensures that an odd number of as exist in the string.

Finally, the string ends with zero or more b*ab*ab*. So, the regular expression is(b*ab*ab*)* a (b*ab*ab*)*.

Therefore, this regular expression describes the given language.

learn more about expression here

https://brainly.com/question/1859113

#SPJ11

What does it mean to be clear about the purpose of an IT meeting?

Answers

Being clear about the purpose of an IT meeting is a vital component of successful communication. It helps to clarify the objectives of the gathering and ensure that participants remain focused on achieving the desired outcomes. The primary purpose of an IT meeting is to communicate information, discuss issues, make decisions, and work towards achieving specific goals.

Meetings should be well-structured, with an agenda, and clear objectives defined at the outset. There should be a clear understanding of the desired outcomes, who is responsible for achieving them, and what the meeting is intended to accomplish. This clarity can help to reduce confusion and ensure that everyone is on the same page.

Additionally, clear communication can help to keep meetings on track, ensure that all participants are engaged and contributing to the conversation, and help to resolve conflicts or misunderstandings.

In summary, being clear about the purpose of an IT meeting is crucial to ensuring that it is effective and productive. Meetings that lack clear objectives can be time-consuming, unproductive, and ultimately frustrating for all involved.

To know more about successful visit:

https://brainly.com/question/32281314

#SPJ11

A DSB-SC AM signal is modulated by the signal m(t) = 2cos200лt + cos6000πt The modulated signal is u(t) = 100m(t) cos2nfct, where fc = 1MHz a) Determine and sketch the spectrum of the AM signal. b) Determine the average power in the frequency components.

Answers

DSB-SC AM signal is modulated by the signal m(t) = 2cos200лt + cos6000πt. The modulated signal is u(t) = 100m(t) cos2nfct, where fc = 1MHz.

Determining the spectrum of the AM signal and average power in the frequency components are important concepts to be studied. The steps to find the solution for the given question are as follows;

Determining and sketching the spectrum of the AM signal:

Given; m(t) = 2cos200лt + cos6000πt; u(t) = 100m(t) cos2nfct, fc = 1MHzTo determine the spectrum of the AM signal, the Fourier transform of the given signal is taken. To make the calculations simpler, we consider the carrier signal as Acosωct.

The modulated signal is,u(t) = 100m(t) cos2πfct = 100(2cos200πt + cos6000πt) cos2πfct

Taking the Fourier transform of u(t) using Fourier Transform Table, we get,

U(f) = 100[δ(f-fc) + δ(f+fc)] + 50[δ(f-400) + δ(f+400)] + 25[δ(f-6000) + δ(f+6000)]

Therefore, the spectrum of the AM signal is as follows;
Determining the average power in the frequency components:

Given; m(t) = 2cos200лt + cos6000πt; u(t) = 100m(t) cos2nfct, fc = 1MHz

The average power in the frequency components of the modulated signal is given by,

P = (1/2π) ∫(∞ to -∞) |U(f)|² df

By substituting the value of U(f) in the above equation, we get,

P = (1/2π) [100² + 50² + 25²]

Therefore, the average power in the frequency components of the modulated signal is P = 378.5

Therefore, from the above discussion, we can say that the spectrum of the AM signal consists of three frequency components, and the average power in the frequency components of the modulated signal is P = 378.5.

To know more about average power visit:

brainly.com/question/31040796

#SPJ11

Select the asymptotic worst-case time complexity of the following algorithm: Algorithm Input: a1, 02, Output: ?? ..., an, a sequence of numbers n, the length of the sequence y, a number For i = 1 to 3 If (ai > y) Return("True") End-for Return( "False" ) O 0(1) (n) O O(n2) O O(n3)

Answers

The given algorithm has a time complexity of O(n).

What is an algorithm?

An algorithm is a step-by-step method for solving a problem or completing a task. Algorithms are the foundation for all computer programming languages and application programming interfaces (APIs).

What is the time complexity?

The amount of time it takes an algorithm to complete is referred to as its time complexity. It is expressed as the number of operations that the algorithm takes as a function of the size of the input.

What is the asymptotic worst-case time complexity?

The time complexity of the worst-case scenario is known as the asymptotic worst-case time complexity. It is referred to as a "Big O notation." It shows how well an algorithm performs as the input size approaches infinity.

The given algorithm consists of a for loop that runs from 1 to 3 and checks if each element is greater than a specific value. As a result, the time complexity is proportional to the number of elements in the input array. The size of the input array is proportional to the variable n.

Therefore, the time complexity of the given algorithm is O(n).Answer: O(n).

learn more about algorithm here

https://brainly.com/question/24953880

#SPJ11

The G=(V,E) is a network graphic, and V is the vertex set, and E is the edge set. V=(u,v,w,x,y,z), and E=((u,v),(u,w),(u,x),(v,w),(v,x),(w,x),(w,y),(w,z),(x,y),(y,z)).
What is the shortest path from u to z? (for example the path u->x->w is uxw)

Answers

The shortest path from u to z is uwz. We need to identify the vertices adjacent to u and write down the distances from u to all the adjacent vertices. We also need to find the distance from u to y and z. The shortest path is u -> w -> z.

In the given problem, the graph is given as G = (V, E) where V = (u, v, w, x, y, z) and E = {(u, v), (u, w), (u, x), (v, w), (v, x), (w, x), (w, y), (w, z), (x, y), (y, z)}.Now, we need to find the shortest path from u to z.We can find the shortest path from u to z by following the below-mentioned steps:

Step 1: First, we need to identify the vertices which are adjacent to vertex `u`. The vertices adjacent to vertex u are v, w, and x.

Step 2: Next, we need to identify the vertices which are adjacent to v, w, and x and write down the distances from vertex u to all the adjacent vertices. We will use the distances to identify the shortest path. The distances are as follows:

- d(u, v) = 1
- d(u, w) = 1
- d(u, x) = 1

Step 3: Since w is adjacent to y and z, we need to find the distance from vertex u to y and z as well. The distances are as follows:

- d(u, y) = 2
- d(u, z) = 2

Step 4: Now, we can identify the shortest path from u to z. We can see that the shortest path is u -> w -> z. Therefore, the shortest path from u to z is uwz .Hence, the shortest path from u to z is uwz.

To know more about graph Visit:

https://brainly.com/question/17267403

#SPJ11

CompTIA Network Plus N10-008 Question:
Which general class of dynamic routing provides the best convergence performance?
a.) Link State
b.) Distance Vector
c.) OSPF
d.) None of the Above

Answers

The general class of dynamic routing which provides the best convergence performance is (a) Link State. The routing protocol is classified into two major classes: Distance Vector Routing and Link State Routing.

The routing protocol is classified into two major classes: Distance Vector Routing and Link State Routing.

This is because link-state routing protocols advertise the complete topology of the network immediately to all other routers within the network, which allows for quicker convergence and fewer routing loops

In contrast to distance-vector, link-state is a highly complex and resource-intensive routing protocol that has a far higher degree of convergence performance.

Because of their ability to adapt to changing network conditions and their speed in updating the topology table, link-state protocols are regarded to be better than distance-vector routing protocols. The correct answer is a) Link State.

To know more about Link State viist:

https://brainly.com/question/29415721

#SPJ11

We have a building with four floors and three elevators. The following is a Class Model for this system:
Enter the multiplicities for some of these relations. Note that some of the values may be duplicated, and some of the values might not be used.
Button end of the Button-Floor link: [ Select ] ["0..1", "1", "1..2", "3", "4", "*", "", "", ""]
Button end of the Button-Car link: [ Select ] ["0..1", "1", "1..2", "3", "4", "*"]
Floor end of the Floor-System link: [ Select ] ["0..1", "1", "1..2", "3", "4", "*"]
The Car end of the Car-System link: [ Select ] ["0..1", "1", "1..2", "3", "4", "*"]
The Motor end of the Motor-Car link: [ Select ] ["0..1", "1", "1..2", "3", "4", "*"]
The Door end of the Door-Floor link: [ Select ] ["0..1", "1", "1..2", "3", "4", "*"]
The Door end of the Door-Car link: [ Select ] ["0..1", "1", "1..2", "3", "4", "*"]
The System end of the System-Floor link: [ Select ] ["0..1", "1", "1..2", "3", "4", "*"]
The System end of the System-Car link: [ Select ] ["0..1", "1", "1..2", "3", "4", "*"]

Answers

The multiplicities for the relations in the given Class Model for the building with four floors and three elevators are:Button end of the Button-Floor link: [1..2]Button end of the Button-Car link: [1]Floor end of the Floor-System link: [1]The Car end of the Car-System link: [1..3]

The Motor end of the Motor-Car link: [1]The Door end of the Door-Floor link: [1]The Door end of the Door-Car link: [1]The System end of the System-Floor link: [1..4]The System end of the System-Car link: [1]. In the given Class Model for the building with four floors and three elevators, the following are the multiplicities for the relations:Button end of the Button-Floor link: [1..2]The button can be on multiple floors, so the multiplicity is 1..2. It can be present on one floor or two different floors.Button end of the Button-Car link: [1]There is only one button present in the elevator car to move it from one floor to another. Thus, the multiplicity is 1.Floor end of the Floor-System link: [1]There is only one system for all the floors, thus, the multiplicity is 1.The Car end of the Car-System link: [1..3]There can be one or more cars in the system, so the multiplicity is 1..3.The Motor end of the Motor-Car link: [1]Each car has only one motor to run the elevator, so the multiplicity is 1.The Door end of the Door-Floor link: [1]There is only one door on a floor, so the multiplicity is 1.The Door end of the Door-Car link: [1]There is only one door present in a car to enter or exit the car, so the multiplicity is 1.The System end of the System-Floor link: [1..4]The system can control more than one floor. So the multiplicity is 1..4.The System end of the System-Car link: [1]There is only one system present in the car, so the multiplicity is 1.

Thus, the multiplicities of each relation in the given Class Model for the building with four floors and three elevators are found.

To learn more about multiplicities visit:

brainly.com/question/14059007

#SPJ11

Which of the following arrays doesn't represent a max oriented binary heap? a- 21,20,19,18,17,16,15,14,13,12 b- 36,32,31,29,27,19,18,21,224,26 c- 32,29,25,19,18,17,15,16,20,13 2 Construct max heap using bottom-up method for the following array S R T E X A M P 3 Find the most frequent word in the given text file using Symbol Table. Calculate the running time of your code. The file is attached with the homework lo L E

Answers

The code to find the most frequent word in the given text file using Symbol Table and calculate the running time of the code.

Here are the answers to the three questions:1. Which of the following arrays doesn't represent a max oriented binary heap?- Array C (32, 29, 25, 19, 18, 17, 15, 16, 20, 13) does not represent a max oriented binary heap as the parent is smaller than its children.2. Construct max heap using bottom-up method for the following array S R T E X A M P- To construct a max heap using bottom-up method for the given array, we can follow these steps:1. Start with the first non-leaf node, which is the parent of the last element of the array.

2. Compare this node with its children and swap if necessary to make the parent the maximum of the three.3. Move to the next non-leaf node and repeat the above step until the root is reached.4. The resulting array after the above operation is the max heap.{T, R, S, E, X, A, M, P}3. Find the most frequent word in the given text file using Symbol Table. Calculate the running time of your code.

To know more about code visit:

https://brainly.com/question/31569985

#SPJ11

Option c (32, 29, 25, 19, 18, 17, 15, 16, 20, 13) doesn't represent a max-oriented binary heap. An array can only represent a max-oriented binary heap if the parent node is greater than or equal to both the children. In option c, we can notice that 29 is greater than 16, and 13 is greater than 20,

which means the heap property is not satisfied. So, it doesn't represent a max-oriented binary heap.The steps to construct max heap using the bottom-up method for the given array S R T E X A M P is:Step 1: Start from the first non-leaf node. Here, the first non-leaf node is the parent of the last element. So, it is the parent of P.Step 2: Compare the parent node with its child nodes. If the parent node is smaller than either of its children, then swap them.Step 3: Move to the next non-leaf node and repeat the above steps until we reach the root node.Here, the bottom-up approach gives us the following heap:S R T E X M P AFirst, we start by comparing P and M. As P is smaller than M, we swap them. Then, we compare M and X, as M is smaller than X, we swap them. Then, we compare X and E, as X is greater than E, we don't swap them. Then, we compare E and T, as E is smaller than T, we swap them. Then, we compare T and R, as T is greater than R, we don't swap them. Finally, we compare R and S, as R is greater than S,

we don't swap them. So, the max heap is S R T E X M P A.To find the most frequent word in the given text file using the Symbol Table, we can use the following steps:Step 1: Read the text file and store each word in a symbol table with its frequency.Step 2: Traverse the symbol table and keep track of the maximum frequency and the word that has the maximum frequency.Step 3: Return the word with the maximum frequency.The running time of the code depends on the size of the text file and the implementation of the symbol table. We can use the hash table implementation of the symbol table, which has an average case time complexity of O(1) for insertion and lookup. The time complexity of the code would be O(n) for reading the text file and O(m) for traversing the symbol table, where n is the number of words in the text file and m is the number of unique words in the text file. Therefore, the total running time of the code would be O(n+m).

To know more about binary heap visit:

https://brainly.com/question/13155162

#SPJ11

public class Fruits extends Fresh Produce {} a. The Fruits class inherits all methods from FreshProduce class b. The Fruits class can have new additional properties from the ones in FreshProduce class c. The Fruits class cannot override the methods from FreshProduce class d. The Fruits class inherits all properties from FreshProduce class

Answers

From the given options, option d) The Fruits class inherits all properties from FreshProduce class is the main answer. Inheritance is a mechanism in Java which allows one class to acquire the properties (methods and fields) of another class.

The class which inherits the properties is known as the Subclass or Derived Class and the class whose properties are inherited is known as the Superclass or Parent Class.In the given code, the class Fruits extends FreshProduce class. This means that Fruits class inherits the properties of the FreshProduce class. So, option d) The Fruits class inherits all properties from FreshProduce class is correct.

Option a) The Fruits class inherits all methods from FreshProduce class is not correct as it doesn't inherit private methods of Fresh Produce class.Option b) The Fruits class can have new additional properties from the ones in FreshProduce class is also not correct as new additional properties can't be added in Fruits class.Option c) The Fruits class cannot override the methods from FreshProduce class is also not correct as methods of FreshProduce class can be overridden in Fruits class.

To know more about java visit:

https://brainly.com/question/12978370

#SPJ11

Explain the following symbols/key words In Java:
abstract
synchronized
datagram
TCP/IP

Answers

In Java, abstract means a class that cannot be directly instantiated. Synchronized is used for thread safety, datagram is a self-contained message sent over a network, and TCP/IP is a protocol suite.

Java is a programming language with a lot of terms that need to be understood. The abstract keyword in Java means that the class being referred to is an abstract class. An abstract class cannot be directly instantiated, but can be inherited from and subclasses can be instantiated. Synchronized is another Java keyword used to achieve thread safety. It ensures that a method or block of code is executed by only one thread at a time.

Datagram refers to an independent, self-contained message that is sent over a network. In Java, the DatagramPacket and DatagramSocket classes are used to send and receive datagrams. TCP/IP is a protocol suite used for communication between computers on a network. It stands for Transmission Control Protocol/Internet Protocol. In Java, the java.net package provides classes for working with TCP/IP sockets. These classes include the Socket and ServerSocket classes. This allows for the creation of client-server applications that can communicate over a network using TCP/IP.

Learn more about datagram here:

https://brainly.com/question/31845702

#SPJ11

Discuss six (6) important factors to be considered when choosing the Power Quality instruments.

Answers

Power quality refers to the quality of electrical power, which varies from one place to another. There are several factors to consider when choosing power quality instruments. The six most important factors to consider when choosing power quality instruments are as follows:1.

Accuracy of measurementThe accuracy of measurement is crucial for power quality instruments. When choosing power quality instruments, you should ensure that they provide accurate measurements. The more accurate the measurement, the more precise the diagnosis and solution to power quality problems.2. CompatibilityThe compatibility of power quality instruments is another important factor to consider. Power quality instruments must be compatible with other instruments, software, and devices that are being used in the system. This ensures that the instruments can communicate and share data effectively.3. CostThe cost of power quality instruments is another important factor to consider. Power quality instruments can be expensive, so it is essential to consider the cost of the instruments before making a purchase. The cost should be evaluated against the budget, needs, and overall requirements of the system.4. Ease of useThe ease of use of power quality instruments is an essential factor to consider.

Power quality instruments must be easy to use, interpret, and analyze data. The instruments should have a user-friendly interface, intuitive menus, and accessible data.5. Data storage capacityThe data storage capacity of power quality instruments is another crucial factor to consider. Power quality instruments must have sufficient data storage capacity to store large amounts of data. This ensures that all data collected is saved and can be analyzed later.6. Maintenance and supportThe maintenance and support of power quality instruments is another essential factor to consider. Power quality instruments should be supported by reliable and responsive customer service and technical support. This ensures that any issues that may arise are quickly resolved. The manufacturer should also provide regular maintenance and calibration to ensure the instruments remain accurate.

To know more about electrical power visit:

https://brainly.com/question/13948282

#SPJ11

Building the Client and Server Programs For this assignment, download three files from WorldClass: the source code file for the client, client.c, the source code file for the server, server.c, and a Makefile for both. With all three files in the same directory, to build the executable files simply type at the command prompt: make Using rules specified in the Makefile, the make command will invoke the gce compiler, which will compile and link both the client and server programs. Then whenever you modify either source file, simply type make again, and it will rebuild any program whose source file has changed. If a program's source file has not been modified, make will not rebuild it. To clean up, i.e., delete the executable programs and the object files, type: make clean 3 Running the Programs When running the programs, it is probably easiest to open two terminal windows, one for the client and the other for the server. At one of the terminal windows, run the server program by typing: ./server This will start the server, which listens for incoming TCP connections on a default port. To specify a different port, invoke the server as: ./server Note that port numbers up to 1024 are referred to as well-known ports, and are therefore reserved for specific applications such as HTTP, FTP, IMAP mail, etc. They should not be used for your program. Instead, use a port number greater than 1024, which is far less likely to conflict with any existing protocol. In the other terminal window, invoke the client as such: ./client localhost Because we are running both client and server on the same machine, we specify the server name as "localhost". In this example we are also using the default port. However, we don't need to do that. If running the server on a different machine, let's say a machine named host1, specify that hostname instead: ./client host1 Note that in these example it's listening on the default port if running the server on a different machine and a port other than the default port (for this example let's assume the server is listening on port 4435), specify such after the host machine name separated by a colon: ./client host1:4435 Upon successfully completing a TCP handshake with the server, the client application will prompt you to enter a text string message. Once entered, the client strips the trailing newline character from your message and writes the message to a socket descriptor. This transmits the message to the server, which is listening on its own socket for that connection. The server reads your message from the socket and outputs it to the terminal. After receiving the message, the server closes the connection with the client but continues to listen for new incoming connections. 4 Requirements Your job is to modify both the client and server applications as such: Server. The server should function as an echo server, which means it simply returns to the client exactly the message it receives from the client. In the server code, a call to read() on the socket descriptor copies the received message into a buffer. This modification requires that message be transmitted back to the client with a call to write() on the same socket descriptor. In the server code, include a printf() statement to standard output indicating the message is being transmitted to the client. Client. After transmitting the message to the server, the client process should then await the reply. To do this, in the client code add a call to read() on the same socket descriptor used to send the message. By default, read() is a blocking system call, so the client process will wait for a response from the server before it continues execution. Once the reply is received, output a statement to standard output indicating the message was received (and be sure include the message in the output). 5 Requirements Correctness of your program requires the following conditions be satisfied: • You may build and test your program on any POSIX-compliant platform, e.g., Linux, Mac OS X, Solaris, etc. Please let me know what platform you built and tested your code on when you submit. • Appropriate output statements should be included in your code so it is easy for me to see that your program works correctly. The message should be exactly what is transmitted; garbled messages will result in point deduction according to the grading rubric. • Be sure to put your name in the header block of comments for both client and server code modules. 6 Deliverables Turn in the C code for your programs, i.e., client.c and server.c, through the World Class dropbox for Programming Assignment #2 no later than 11:59 p.m. on the posted due date.

Answers

The building of client and server programs can be done by downloading three files from WorldClass: client.c source code file, server.c source code file, and a Makefile for both. Once the files are downloaded and placed in the same directory, to build the executable files, the command prompt should be typed as make.

The make command will compile and link both the client and server programs using rules specified in the Makefile. If any program's source file has been modified, make will rebuild the program, whereas if it has not been modified, make will not rebuild it. To delete the executable programs and the object files, type make clean.Running the Programs:Two terminal windows need to be opened when running the client and server programs, one for the client and the other for the server. To run the server program, type ./server in one of the terminal windows.

This will start the server, which listens for incoming TCP connections on a default port. To specify a different port, invoke the server as ./server portnumber. However, port numbers up to 1024 are reserved for specific applications and should not be used for the program. Instead, use a port number greater than 1024, which is less likely to conflict with an existing protocol. In the other terminal window, the client can be invoked as ./client localhost. If running both client and server on the same machine, specify the server name as localhost.

To know more about downloading visit:

https://brainly.com/question/26456166

#SPJ11

Jobs arrive at a painting job with. normal distribution as mean as 5 and standard deviation as 2.5 minutes. The maximum arrival is 500. The jobs are processed at the paint job also in a Normal fashion with mean 4 and standard deviation 2.5 minutes. There is only one paint shop for processing. Create animation for replication length 200 and Time units in minutes.

Answers

To create the animation for the given situation, we need to use the Monte Carlo simulation method. We first need to generate a random number of jobs that arrive at the paint job using the normal distribution with mean = 5 and standard deviation = 2.5. Similarly, we generate the processing time for each job using the normal distribution with mean = 4 and standard deviation = 2.5. We then calculate the waiting time for each job, which is the difference between the time the job arrived and the time it was processed.


The steps to create the animation are as follows:

Step 1: Set up the simulation parameters
We need to set up the simulation parameters before we can generate the random numbers. The parameters we need to set are the mean and standard deviation for the arrival time and processing time distributions, the maximum number of jobs that can arrive, and the replication length.

mean_arrival = 5
sd_arrival = 2.5
mean_processing = 4
sd_processing = 2.5
max_arrival = 500
replication_length = 200
time_units = 'minutes'

Step 2: Generate the random numbers
We generate the random numbers using the normal distribution function from the numpy library. We generate the number of arrivals and processing times separately.

learn more about animation

https://brainly.com/question/28218936

#SPJ11

Which one is true about EVOH?
a) Bad barrier for oxygen at low Relative Humidity
b) Bad barrier for oxygen at high Relative Humidity
c) Not affected by humidity
d) All of the above

Answers

EVOH stands for Ethylene Vinyl Alcohol and is a copolymer of ethylene and vinyl alcohol. It is a commonly used material in food packaging because of its excellent oxygen barrier properties, which help to protect food from spoilage. In addition to being an excellent oxygen barrier, EVOH is also resistant to other gases such as carbon dioxide and nitrogen.

This makes it a popular choice for packaging foods that are sensitive to changes in atmospheric gases. The answer to this question is B) bad barrier for oxygen at high Relative Humidity. EVOH is a good barrier for oxygen at low humidity levels, but its barrier properties deteriorate at high humidity levels.

In fact, EVOH's oxygen barrier properties decrease by about 50% at a Relative Humidity of 80%. Therefore, it is important to take into consideration the humidity levels when selecting packaging materials for food products.

To know more about Ethylene visit:

https://brainly.com/question/14797464

#SPJ11

Situation A. A stone weighs 468N in air. When submerged in water it weighs 298N 1. Which of the following most nearly gives the volume of the stone? a. 0.0015 cu.m b. 0.0254 cu.m c. 0.0173 cu.m d. 0.0357 cu.m 2. Which of the following most nearly gives the unit weight of the stone? a. 24.03 KN/cu.m b. 25.00 KN/cu.m c. 26.00 KN/cu.m d. 27.05 KN/cu.m 3. Which of the following most nearly gives the specific gravity of the stone? a. 2.90 b. 2.25 C. 2.45 d. 2.76

Answers

The volume of the stone is 0.0173 cu.m. The unit weight of the stone is 2.75 KN/m³ and the specific gravity of the stone is 2.76. option D is correct.

A stone weighs 468N in air. When submerged in water it weighs 298N. Using Archimedes principle, the volume of water displaced by the stone when submerged in water is equal to the volume of the stone. The volume of water displaced by the stone is the difference in weight between the stone in air and the stone when submerged in water divided by the density of water. The density of water is 1000 kg/m³. Therefore, Volume of the stone = (Weight of the stone in air – Weight of the stone in water) / Density of water. Volume of the stone = (468 – 298) / 1000.Volume of the stone = 0.17 m³. Approximately 0.0173 cu.m. Therefore, option C is correct.2. The unit weight of the stone is the weight of the stone per unit volume. The unit weight is obtained by dividing the weight of the stone in air by the volume of the stone. Unit weight of the stone = Weight of the stone in air / Volume of the stone. Unit weight of the stone = 468 / 0.17. Unit weight of the stone = 2752.94 N/m³ = 2.75294 KN/m³. Approximately 2.75 KN/m³. Therefore, option D is correct.3. The specific gravity of the stone is the ratio of the density of the stone to the density of water. The specific gravity of the stone is equal to the unit weight of the stone divided by the density of water. Specific gravity of the stone = Unit weight of the stone / Density of water. Specific gravity of the stone = 2752.94 / 1000.Specific gravity of the stone = 2.75294. Approximately 2.76. Therefore, option D is correct.                                                                                                                          In this problem, the weight of the stone in air and when submerged in water is given. The volume of the stone can be determined by using Archimedes principle which states that the buoyant force acting on a submerged object is equal to the weight of the fluid displaced by the object. The weight of the stone in water is less than the weight of the stone in air because some water is displaced by the stone when it is submerged. This displaced water has a weight equal to the weight of the stone in water. Therefore, the volume of water displaced by the stone is equal to the volume of the stone. To find the volume of the stone, the weight of the stone in air is subtracted from the weight of the stone in water and the result is divided by the density of water. The unit weight of the stone is the weight of the stone per unit volume. It can be found by dividing the weight of the stone in air by the volume of the stone. The specific gravity of the stone is the ratio of the density of the stone to the density of water. It can be found by dividing the unit weight of the stone by the density of water. The answers obtained for the volume of the stone, unit weight of the stone and specific gravity of the stone are option C, option D and option D respectively.

The volume of the stone is 0.0173 cu.m. The unit weight of the stone is 2.75 KN/m³ and the specific gravity of the stone is 2.76.

To know more about gravity visit:

brainly.com/question/31321801

#SPJ11

For the problems given below, determine whether it is more efficient to use a divide and conquer strategy or a dynamic programming strategy, explain your reason. Give the recursion formula for each. (3*5=15) 1. Find an number in a given set of sorted numbers. 2. Find whether there is a subset of integers in a given set that adds up to 12 3. Given a set of numbers, can they set be partitioned into two groups such that the sum of each group is equal; ie 1,5.11,5 can be partitioned to 1,5,5 and 11

Answers

1. Find a number in a given set of sorted numbers:

  - Strategy: Divide and Conquer

  - Reason: Divide and Conquer is more efficient in this case because the set of numbers is sorted. By repeatedly dividing the set in half and comparing the target number with the middle element, we can quickly narrow down the search range.

 

 Recursion Formula:

     Base case: If the set is empty, the number is not found.

     Recursive case:

       If the target number is less than the middle element, recursively search the left half of the set.

       If the target number is greater than the middle element, recursively search the right half of the set.

       If the target number is equal to the middle element, the number is found.

2. Find whether there is a subset of integers in a given set that adds up to 12:

   Strategy: Dynamic Programming

   Reason: Dynamic Programming is more efficient in this case because it allows us to break down the problem into smaller subproblems and store the solutions to avoid redundant computations.

Recursion Formula:

     Base case: If the target sum is 0, an empty subset can be considered.

     Recursive case:

       If the last element of the set is greater than the target sum, recursively check if there is a subset without considering the last element.

       If the last element of the set is less than or equal to the target sum, recursively check if there is a subset by either considering or not considering the last element.

3. Given a set of numbers, can the set be partitioned into two groups such that the sum of each group is equal:

   Strategy: Dynamic Programming

   Reason: Dynamic Programming is more efficient in this case because it allows us to break down the problem into smaller subproblems and store the solutions to avoid redundant computations.

Recursion Formula:

     Base case: If the sum is 0, an empty partition can be considered.

     Recursive case:

       If the last element of the set is greater than the sum, recursively check if there is a partition without considering the last element.

   

   If the last element of the set is less than or equal to the sum, recursively check if there is a partition by either considering or not considering the last element.

Know more about Divide and Conquer:

https://brainly.com/question/30404597

#SPJ4

Please provide two scenarios in which functions might be used in the real world.
Reply with at least 4 sentences.

Answers

Functions are an essential tool for organizing and processing data. It is possible to consider functions as mathematical equations that accept one or more inputs and return a particular output. Functions can be used in the real world in many ways.

Scheduling appointments in a clinic A clinic may use a function to manage its appointments. Suppose the function receives input parameters such as the time of the appointment, the doctor's name, the patient's name, and so on. The function would then process the information and organize the appointments according to the input. This way, doctors would be able to keep track of their appointments and avoid scheduling conflicts.

Another way functions can be used in the real world is online shopping. Many online shopping websites use functions to process the customer's order. For example, the function may receive input parameters like the item name, price, quantity, shipping details, etc. The function then processes the information and generates an order confirmation and shipping details for the customer.

To know more about essential tool visit:

https://brainly.com/question/27448510

#SPJ11

A light summer rain shower has a higher intensity than a heavy
thunderstorm of the same duration
True of False

Answers

A light summer rain shower has a lower intensity than a heavy thunderstorm of the same duration. This statement is False. A heavy thunderstorm has more intense rain than a light summer rain shower.

When we talk about the intensity of rain, we are discussing how heavily it is raining. The intensity of rain is determined by the amount of water that falls in a certain amount of time. Raindrops may vary in size and intensity, but when they hit the ground, they create a splatter pattern that can be used to determine the intensity of the rain. Intensity is commonly used to describe how strong or heavy a storm is.A heavy thunderstorm has more intense rain than a light summer rain shower. This is the opposite of what is stated in the question. A summer rain shower is typically a light rainfall that occurs in the summer months, while a thunderstorm is a heavy rainfall with thunder and lightning. Therefore, the correct statement would be that a light summer rain shower has a lower intensity than a heavy thunderstorm of the same duration.

In conclusion, the statement "A light summer rain shower has a higher intensity than a heavy thunderstorm of the same duration" is False.

To know more about lower intensity visit:

brainly.com/question/2288981

#SPJ11

Center of gravity of a body O Is a point in the body at which the entire weight is assumed to be concentrated Is a point in the body at which g is constant O is a point in the body different for different orientation of the body Always coincide with the centroid of its volume

Answers

The correct statement related to the given terms is : Center of gravity of a body O is a point in the body at which the entire weight is assumed to be concentrated. The center of gravity (CoG) is the point in an object where the force of gravity acts upon it.

It is the average position of all the parts of the object that contain mass. If we assume the whole mass of the object to be concentrated at one point, this is the point where the force of gravity will act on the object as a whole. COG has an important role in engineering, architecture, and transportation to ensure that the object is stable and balanced. It should be noted that the center of gravity is also known as the center of mass, which is equivalent for bodies located in the Earth's gravitational field.

The center of gravity may or may not be the same as the centroid of an object. The centroid of an object is the average position of its constituent parts, weighted according to their size and location. The center of gravity, on the other hand, is the point at which the weight of the object can be assumed to be concentrated.

To know more about Center of gravity  visit:

https://brainly.com/question/20662235

#SPJ11

Cookies in Vanilla JavaScript only
1. Cookie (read, write and delete cookie): A form (first name, last name , email etc) should save a cookie from one page, then read this cookie on another page. This must use at least two separate pages.
i) If no cookies , then alert no cookie found. If cookie is there ...then cookie is saved.
2. More than one field from the first page must be read onto the second page. For example "Shopping cart" that gives the user the ability to review submitted data on another page.
that means cookies/results on, Displaying saved cookies/results on the other page.
3. Your cookie must persist for 2 years so that it will still be available if the browser is closed and re-opened. This must be dynamic, so it will be always 2 years from the current year.
4. Add the ability to delete the cookie (for example "Clear shopping cart")
5. Show the current date and time on both pages, nicely formatted for the user, and clearly visible. Use 12 hour clock, (i.e.: 1:30PM) 6. JavaScript source code is well-formatted and easy to read.
7. Use JavaScript comments wherever possible. Please explain what the code is doing.

Answers

Here is the code for Cookies in Vanilla JavaScript only that includes the following terms: more than 100 words. 1. Cookie (read, write and delete cookie): A form (first name, last name , email etc) should save a cookie from one page, then read this cookie on another page. This must use at least two separate pages.

i) If no cookies , then alert no cookie found. If cookie is there ...then cookie is saved.

2. More than one field from the first page must be read onto the second page. For example "Shopping cart" that gives the user the ability to review submitted data on another page. that means cookies/results on, Displaying saved cookies/results on the other page.

3. Your cookie must persist for 2 years so that it will still be available if the browser is closed and re-opened. This must be dynamic, so it will be always 2 years from the current year.

4. Add the ability to delete the cookie (for example "Clear shopping cart")

5. Show the current date and time on both pages, nicely formatted for the user, and clearly visible.

To know more about JavaScript visit:

https://brainly.com/question/16698901

#SPJ11

Consider a de shunt generator with P = 4,R =1X0 22 and Ra = 1.Y Q2. It has 400 wave-connected conductors in its armature and the flux per pole is 25 x 10³ Wb. The load connected to this de generator is (10+X) 2 and a prime mover rotates the rotor at a speed of 1000 rpm. Consider the rotational loss is 230 Watts, voltage drop across the brushes is 3 volts and neglect the armature reaction. Compute: (a) The terminal voltage (8 marks) (8 marks) (b) Copper losses (c) The efficiency (8 marks) (d) Draw the circuit diagram and label it as per the provided parameters

Answers

Therefore, the terminal voltage, V = 117.65 – 2X volts.The copper losses, Pcu = 102.27 + 5.06 × 10⁻⁶X⁴ watts.The efficiency of the generator is 77.3%.

Given data: Armature current, Ia = (10 + X)2 Pole flux, Φ = 25 × 10³ Wb Armature conductors, Z = 400 Rotational losses, Fr = 230 W Brush voltage drop, V = 3 V Armature resistance, Ra = 1 Ω Shunt field resistance, Rf = 110 × 10⁻⁶ ΩArmature circuit resistance, R = 1 × 10⁻⁶ Ω

The terminal voltage: EMF generated in the armature is given by, Eg = ΦZNP/60 × 10⁸ volts Where, P = a number of poles and N = speed in rpmOn neglecting the armature reaction, terminal voltage, V = Eg – Ia Ra - V.

Substituting the given values, V = 117.65 – 2X volts

Copper losses: Copper losses occur due to the flow of armature current in the armature and shunt field resistance.Ia²Ra = (10 + X)² × 1 Ω = 100 + 20 X + X² W Shunt field current, Ish = Eg/Rf = ΦZNP/60 × 10⁸ Rf watts = 2.27 W Total copper losses, Pcu = Ia²Ra + Ish²Rf = 102.27 + 5.06 × 10⁻⁶X⁴ watts

Efficiency: Efficiency, η = Output / Input Output power = Load voltage × Load current Input power = V(Ia + Ish) + Fr + Pcu Input power = V(10 + X)2/2 + Fr + PcuOn substituting the given values and simplifying, we get,η = 1.49 / (11.76 + X + 5.06 × 10⁻⁶X⁴)

Now, efficiency is maximum when dη/dX = 0dη/dX = [(-1.49) (11.76 + X + 5.06 × 10⁻⁶X⁴)² - (1.49) (2X) (11.76 + X + 5.06 × 10⁻⁶X⁴) (1 + 20X + 2X³)] / (11.76 + X + 5.06 × 10⁻⁶X⁴)²= 0 Solving the above equation, X = 1.069

Now, substituting X = 1.069, we getηmax = 77.3%Therefore, the efficiency of the generator is 77.3%.

Therefore, the terminal voltage, V = 117.65 – 2X volts.The copper losses, Pcu = 102.27 + 5.06 × 10⁻⁶X⁴ watts.The efficiency of the generator is 77.3%.

To know more about Armature current visit

brainly.com/question/30649233

#SPJ11

a) Draw a circuit diagram to implement the following Boolean expression: Q = Ā+(B.A) + A +Ā.B Hence write down the number of gates used. [6 marks] b) Simplify the Boolean expression Q = Ā+(B. A) + A+Ā. B and hence write down the number of gates required to implement the simplified expression. [6 marks]

Answers

a) The given Boolean expression is Q = Ā+(B.A) + A +Ā.B. The circuit diagram to implement this expression is as follows: Here, we have used one 2-input OR gate, two 2-input AND gates and three inverters or NOT gates.

Therefore, the number of gates used is six.

b) Simplifying the Boolean expression Q = Ā+(B. A) + A+Ā. B as per the Boolean algebraic rules, we getQ = Ā+ B. A+Ā. B+ A [Using commutative property]Q = Ā+ (B+Ā). A+ B.Ā [Using distributive property]Q = Ā+ 1. A+ 0 [Using Ā+ A = 1 and Ā. A = 0]Q = 1 [Using 1. A = A]

The simplified Boolean expression is Q = 1. The circuit diagram to implement this expression is as follows: Here, we have used one 1-input NOT gate. Therefore, the number of gates used is one.

Therefore, the circuit diagrams for the given Boolean expressions are drawn and the number of gates used to implement the expressions are calculated.

To know more about circuit diagram:

brainly.com/question/13078145

#SPJ11

Other Questions
Lakeeta knows her performance review will be both good and bad. She made several organizational changes that saved the firm money but the firm still had a down quarter due to the anemic economy. Consumers just quit spending money. Which of these statements is the most accurate? A) Lakeeta's job suggests that both the omnipotent and the symbolic roles of management exist. B) Lakeeta's position is largely symbolic since she cannot influence the outcomes. C) Lakeeta may lose her job due to the lower sales this past quarter if her boss believes in the symbolic view of management. D) Lakeeta obviously has no ability to influence outcomes so she believes in the omnipotent view of management. The downfall of the furniture industry due to the subprime mortgage crisis and subsequent job loss of a number of managers in that industry would lend credence to the view of management. A) prescient B) omnipotent C) symbolic D) systemic A half range periodic function f(x) is deefined by f(x)={ 33an x2 a2 1. Sketch the graph if eren extension of f(x) in the interval 3 Sub Science Project workRepresent an idea of to demonstrate your innovation on one of the following topic through practical. Utilization of wastes Model of plantation Craft works for utilization and preservation Exploring energy sources.Application based device (A) Use the Trapezoidal approximation with n=10 to estimate [sin(x)dx. Construct an appropriate table. (B) Use the Simpson's approximation with n = 10 to estimate [2 de. Construct an appropriate tab An illegal connection was observed on a 300 mm diamefer horizontal pipe. Upstream from the connection, two gages 600 m apant showed a pressure difference of 140kPa. Downstream from the connection still 600 m showed a pressure difierence of 116kPa. Assuming a loss of head of 50%&40% of the velocity head every 50 mefers at the upstream point and downstream point respectively. 19. How much oil of specific gravity 0.85 is stolen? Please work in groups of two students for this assignment. Your group will choose two of the following theories of employee motivation below: 1. Needs Hierarchy (Abraham Maslow) 2. Theory X and Theory Y (Douglas McGregor) 3. Expectancy Theory (Victor Vroom) Each group will write a report containing the following information: Detailed description of the chosen theories Identify how the theory applies to human resources in the tourism industry in terms of reducing turnover, increasing productivity, etc. Report must be typed using Microsoft Word, double spaced, 12 size fonts. Report must include a proper title page and works cited page. Report must be at least five pages plus the title page and works cited page which totals seven pages. Explique la politique de recrutement Use the following information for the Exercises below. (Algo)Skip to question[The following information applies to the questions displayed below.]Hitzu Co. sold a copier (that costs $5,500) for $11,000 cash with a two-year parts warranty to a customer on August 16 of Year 1. Hitzu expects warranty costs to be 4% of dollar sales. It records warranty expense with an adjusting entry on December 31. On January 5 of Year 2, the copier requires on-site repairs that are completed the same day. The repairs cost $119 for materials taken from the repair parts inventory. These are the only repairs required in Year 2 for this copier.Exercise 9-12 (Algo) Warranty expense and liability computations and entries LO P41. How much warranty expense does the company report for this copier in Year 1?2. How much is the estimated warranty liability for this copier as of December 31 of Year 1?3. How much is the estimated warranty liability for this copier as of December 31 of Year 2?4. Prepare journal entries to record (a) the copiers sale; (b) the adjustment to recognize the warranty expense on December 31 of Year 1; and (c) the repairs that occur on January 5 of Year 2. Use the following Support code to answer the questions below: Builds Huffman Tree and decode given input text void InformationSystembulldHuffmaniTree(string text) count frequency of appearance of each character Wand store it in a map unordered_mapchar int> fren: for (char ch text) fregch]++ 1 1 Part A Question Location a Create a priority queue to store live nodes of W Huffman tree: priority_queue Node", vector, comppa: W Create a leaf nade for each character and add it W to the priority queue. for auto pair: freq) pa.push(getNode(pair.first, pair second, nullptr. nullptr): // Part B Question Location // do till there is more than one node in the queue while (pq.size() != 1) { // Remove the two nodes of highest priority // (lowest frequency) from the queue Node "left = pq.top(): pq.pop(); Node "right = pq.top(); pq.pop(); // Create a new internal node with these two nodes // as children and with frequency equal to the sum // of the two nodes' frequencies. Add the new node // to the priority queue. int sum = left->freq + right->freq: pq.push(getNode('sum, left, right)); // Part C Question Location // root stores pointer to root of Huffman Tree root = pq.top: root->name = "ROOT": // traverse the Huffman Tree and store Huffman Codes // in a map. Also prints them encode(root, ""); // Part D Question Location 3 Use the following message input into the function buildHuffmanTree A discharge of 30 liter/s of water is flowing in the pipeline shown in the figure, what pressure shall be maintained at 1 if the pressure at 2 is to kept 75kPa and the loss of head between 1 and 2 is 5% of the difference in pressure heads at 1 and 2. Do not write any unit in your answer, use 3 decimal places Unit of Ans is kPa 1. Water discharges through an orifice in the side of a large tank as shown. The orifice is circular in cross-section and 50 mm in diameter. The jet is same in diameter with the orifice. The liquid is water and the surface elevation is maintained at height h equal to 4 m above the center of the jet. Compute the discharge considering head loss 10% of h. Do not write any unit in your answer, use 3 decimal places Unit of Ans is m3/s Please review the following sets of sentences and select the one that contains filler. Many hikers like to bring camp shoes with them on backpacking trip so their feet can dry out at night or to wear during stream crossings. If youre trying to cut the amount of weight you carry in a backpack, youre not going to want to carry a pair of camp shoes like Crocs, that weigh close to 16 ounces a pair. As opposed to other backpacking and camp footwear, camping shoes provide you and your feet with a lot of useful benefits. Some camp shoes can be very bulky to pack in a backpack. Ideally you want a pair with very soft side walls that will fold flat against the sole so you can pack them inside your pack Pls help its for my homework l Use one of the comparison tests to determine if the improper integral converges: 2-1 dz 11) (6 pts) If a, = + (1-4). then lim a,, can be calculated using two limit rules that I taught you. +00 Write those rules, and then use them to calculate lim an 16-400 At the beginning of Inst year, you purchased Alpha Centauri and Zeta Funcrions. The Alpha Centauri shares cost you $2 per share and paid 29 in dividendi for the year, while Zeta Functions shares cost you $20 per share and paid 10% in dividends for the year. If you invested a total of $2.600 and earmed $212 in dividends at the end of the year, how many shares of each company did you purchase? Solution: shares of Alpha Centauri shares of Zeta Functions Four masses are positioned in the xy-plane as follows: 300 g at (x = 0, y = 2.0 m), 500 g at (-2.0 m, -3.0 m), 700 g at (50 cm, 30 cm), and 900 g at (-80 cm, 150 cm). Find their center of mass. 4. A 2.0 cm cube of metal is suspended by a thread attached to a scale. The cube appears to have a mass of 47.3 g when measured submerged in water. What will its mass appear to be when submerged in glycerin, sp gr = 1.26? (Hint: Find p too.) 6. A tiny, 0.60-g ball carries a charge of magnitude 8.0 C. It is suspended by a thread in a downward 300 N/C electric field. What is the tension in the thread if the charge on the ball is (a) positive, (b) negative? who played protozoa in zenon Pls help its for my homework Calculating 'cash flows at the end'Today (Year 0), Pear Corporation is evaluating whether to invest in a new canning machine that costs $400,000 and the company expects to use it for eight years, after which it will be sold. Tax rules state the machine should be depreciated on a straight-line basis over ten years.The company has already agreed to sell the machine in eight years time to an unrelated firm for $45,000.The new machine will result in an immediate $6,000 reduction in inventory from the companys current level of $42,000. However, it is anticipated that accounts payable associated with the new machine must immediately increase by $8,000.Pear Corporation will borrow $500,000 to fund the purchase of the new machine. This loan is an eight-year interest-only loan with an interest rate of 7% per annum. The $500,000 principal of the loan will need to be repaid at the end of the loan term.Assume the company tax rate is 30%.What are the 'cash flows at the end'? Find the laplace transform of sin(t)sin(2t)sin(3t), using fest f(t)dt. 2. Find the inverse laplace transform of (s - 4s +8s - 5s + 3. Find the simplified z transform of kcos(k*a). 4. Find the inverse z transform of F(z) = (8z - z)/(4-z). 14)/[(s+2)(s+16)(s+4s+4)]. This quarter, the net income for Urban Outfitters was $60.3 million; this is down 35% from last quarter. Which of the following can you conclude? a) The income for this quarter was $39.2 million. b) The income for last quarter was $81.4 million. c) The income for this quarter was $44.7 million. d) The income for last quarter was $92.8 million.