Instructions: Attempt ALL questions. ALL questions to be answered in the Excel sheet. Time allocated-1 hour Q1: Do the following steps to show your ability to use MS Excel basic skills
a) Download this file and save it with your name. b) Copy/paste each question in a new sheet. c) Rename each sheet with the question number. d) Answer the questions and make sure to do the required layout. e) Save your work and upload it within the allowed time. Q2: Use MS Excel to: a) Create a formula that finds the area of a circle given the radius r as an input b) Use your formula to find the area of a circle with r = 15cm

Answers

Answer 1

Do the following steps to show your ability to use MS Excel basic skills.a) Download this file and save it with your name.b) Copy/paste each question in a new sheet.c) Rename each sheet with the question number.d) Answer the questions and make sure to do the required layout.e) Save your work and upload it within the allowed time. Q2: Use MS Excel to:a)

Create a formula that finds the area of a circle given the radius r as an input.The formula for the area of a circle is πr², where r is the radius of the circle and π is a mathematical constant approximately equal to 3.14159. Therefore, to find the area of a circle given the radius r as an input, the formula would be:Area of a circle = πr²b) Use your formula to find the area of a circle with r = 15cm.The radius (r) of the circle is given as 15 cm, therefore the area of the circle would be:Area of a circle = πr²= π × 15²= 706.86 cm²Therefore, the area of the circle with r = 15 cm is 706.86 cm².

To know more about MS Excel visit:

https://brainly.com/question/20893557

#SPJ11


Related Questions

Part B
The store owner put 8 T-shirts on clearance. The T-shirts were originally priced at $18.00 each. The owner marked down the price of the
T-shirts by 35%
How much money did the store owner receive for selling all 8 T-shirts? $50.40
$93.60
$116.00
a $141.20

Answers

Answer:

$93.60

Explanation:

Given the following data;

Number of T-shirts = 8

Cost price = $18 each

Discount = 35%

To find the selling price;

First of all, we would calculate the price after the discount.

Discount price = 35/100 × 18

Discount price = 630/100

Discount price = $6.3

Now, we find the selling price for each;

Selling price = cost price - discount price

Selling price = 18 - 6.3

Selling price = $11.7

Total revenue = selling price * number of shirts

Total revenue = 11.7× 8

Total revenue = $93.60

Therefore, the store owner received $93.60 for selling all 8 T-shirts.

what is the intuition when A is Turing reducible to B?

Answers

When we say that A is Turing reducible to B, it means that we can use an algorithm or a procedure for solving problem B to solve problem A as well.

This reduction is a way of comparing the computational complexity of two problems. If problem A is Turing reducible to problem B, it implies that problem B is at least as difficult as problem A. The intuition behind this reduction lies in the fact that problem A can be solved by transforming it into problem B, solving problem B, and then transforming the solution of problem B back into the solution of problem A. The transformation from A to B is performed by a computable function, which maps instances of problem A to instances of problem B.

This reduction is useful in many areas of computer science, such as complexity theory, algorithm design, and cryptography. It allows us to classify problems based on their computational complexity and to compare the difficulty of different problems. It also helps us design more efficient algorithms by providing insights into the structure of complex problems and by showing how to solve them using simpler problems.

In summary, Turing reduction is a powerful tool for comparing and analyzing the computational complexity of problems. It allows us to transform one problem into another and to leverage our knowledge of one problem to solve another.

Learn more about Turing reducible here :-

https://brainly.com/question/21172316

#SPJ11

Dining Philosophers problem in class uses a monitor. Implement the same solution (simulating monitors) using semaphores

monitor DiningPhilosophers

{

enum { THINKING; HUNGRY, EATING) state [5] ;

condition self [5];

void pickup (int i) {

state[i] = HUNGRY;

test(i); // Tests if chopsticks are available

if (state[i] != EATING) self[i].wait;

}

void putdown (int i) {

state[i] = THINKING;

// test left and right neighbors

test((i + 4) % 5);

test((i + 1) % 5);

}

void test (int i) {

// both chopsticks must be available

if ((state[(i + 4) % 5] != EATING) &&

(state[i] == HUNGRY) &&

(state[(i + 1) % 5] != EATING) ) {

state[i] = EATING ; // Gets chopsticks

self[i].signal () ;

}

}

initialization_code() {

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

state[i] = THINKING;

}

}

Answers

Here's an implementation of the Dining Philosophers problem using semaphores instead of a monitor:

```python

from threading import Semaphore, Thread

THINKING = 0

HUNGRY = 1

EATING = 2

class DiningPhilosophers:

   def __init__(self):

       self.num_philosophers = 5

       self.state = [THINKING] * self.num_philosophers

       self.mutex = Semaphore(1)

       self.s = [Semaphore(0) for _ in range(self.num_philosophers)]

   def pickup(self, philosopher):

       self.mutex.acquire()

       self.state[philosopher] = HUNGRY

       self.test(philosopher)

       self.mutex.release()

       self.s[philosopher].acquire()

   def putdown(self, philosopher):

       self.mutex.acquire()

       self.state[philosopher] = THINKING

       self.test((philosopher + 4) % self.num_philosophers)

       self.test((philosopher + 1) % self.num_philosophers)

       self.mutex.release()

   def test(self, philosopher):

       left_philosopher = (philosopher + 4) % self.num_philosophers

       right_philosopher = (philosopher + 1) % self.num_philosophers

       if (

           self.state[left_philosopher] != EATING

           and self.state[philosopher] == HUNGRY

           and self.state[right_philosopher] != EATING

       ):

           self.state[philosopher] = EATING

           self.s[philosopher].release()

def philosopher_thread(philosopher, dining):

   while True:

       # Philosopher is thinking

       print(f"Philosopher {philosopher} is thinking")

       # Sleep for some time

       dining.pickup(philosopher)

       # Philosopher is eating

       print(f"Philosopher {philosopher} is eating")

       # Sleep for some time

       dining.putdown(philosopher)

if __name__ == "__main__":

   dining = DiningPhilosophers()

   philosophers = []

   for i in range(5):

       philosopher = Thread(target=philosopher_thread, args=(i, dining))

       philosopher.start()

       philosophers.append(philosopher)

   for philosopher in philosophers:

       philosopher.join()

```

In this solution, we use semaphores to control the synchronization between the philosophers. We have two types of semaphores: `mutex` and `s`. The `mutex` semaphore is used to protect the critical sections of the code where the state of the philosophers is being modified. The `s` semaphore is an array of semaphores, one for each philosopher, which is used to signal and wait for a philosopher to pick up and put down their chopsticks.

When a philosopher wants to eat, they acquire the `mutex` semaphore to ensure exclusive access to the state array. Then, they update their own state to `HUNGRY` and call the `test` function to check if the chopsticks on their left and right are available. If so, they change their state to `EATING` and release the `s` semaphore, allowing themselves to start eating. Otherwise, they release the `mutex` semaphore and wait by calling `acquire` on their `s` semaphore.

When a philosopher finishes eating, they again acquire the `mutex` semaphore to update their state to `THINKING`. Then, they call the `test` function for their left and right neighbors to check if they can start eating. After that, they release the `mutex` semaphore.

This solution successfully addresses the dining Philosophers problem using semaphores. By using semaphores, we can control the access to the shared resources (chopsticks) and ensure that the philosophers can eat without causing deadlocks or starvation. The `test` function checks for the availability of both chopsticks before allowing a philosopher to start eating, preventing situations where neighboring philosophers might be holding only one chopstick. Overall, this implementation demonstrates a practical use of semaphores to solve synchronization problems in concurrent programming.

To know more about Semaphores, visit

https://brainly.com/question/31788766

#SPJ11

your company is moving toward final agreement on a contract in pakista to sell farm equipment. As the contract is prepared official ask that a large amount of money to be included to enable the government to update the agriculture research. The extra amount of money is to be in cash to the three officials you have worked with. Shluld you pay?
Is illegal or legal? How should you act in this situation? ​

Answers

Answer: No. I won't pay.

Explanation:

From the question, we are informed that toward the final agreement on a contract to sell farm equipment, as the contract is prepared official ask that a large amount of money to be included to enable the government to update the agriculture research and that the extra amount of money is to be in cash to the three officials you have worked with.

Based on the above scenario, I won't pay. From the analysis in the question, the three officials want to engage in fraud. The contract is towards its closing stage and any large amount of fund should not be regarded at that stage.

Another reason it looks sceptical is the fact that the officials want the money to be in cash. Giving them in cash can be termed bribery and this is punishable under law as it's illegal. The law may eventually catch up with my company and I'll have to go to jail if this is done.

In this situation, what I'll do is that I'll tell them I can't pay any amount to them in cash and if there's even any reason for any payment at that final stage, I need to speak to the appropriate authorities and not the three officials as they lack ethics.

I will not pay such money because the money is termed either as fraud or bribe and it is illegal in the transaction.

Basically, a contract is binded and enforced by payment of compensation to the seller in return for a goods or services.

When a fraud or bribe is involved in a transaction, either of the party have the right to void the contract.

In conclusion, I will not pay such money because the money is termed either as fraud or bribe and it is illegal in the transaction.

Read more about Contract

brainly.com/question/6183687

When should else be used in programming?
Group of answer choices

if something should be repeated several times

in a non-conditional statement

to describe what should happen when the condition of an if statement isn’t met

to begin an infinite loop

Answers

Explanation:

The else statement is usually used when computations are still required when a condition is not met in an if and else-if statement, so the correct option is the fourth one: "to describe what should happen when the condition of an if statement isn't met".

Hope this helps :)

Answer:

he is correct

Explanation:

You have to match the letter nexts to the numbers

You have to match the letter nexts to the numbers

Answers

Answer:

Word is for business letter 4+a

2+c Monthly budget expenses

3+b is for presentation

1+d department store inventory

Define economy. What does an economist do?

Answers

Answer:

Economists study the production and distribution of resources, goods, and services by collecting and analyzing data, researching trends, and evaluating economic issues.

Explanation:

brainlyest pls?

which of the following best describes a code of ethics?

Answers

The code of ethics refers to the guide of principles that are required to help professionals so that they can conduct their business with integrity.

Organizations adopt code of ethics so that their members can be able to know the difference between what is considered right and what is wrong.

Through code of ethics, employees can be judged in an organization when they do something that doesn't align with the ethical standards of the organization.

In conclusion, code of ethics is important as it shapes an organization in the right direction.

Read related link on:

https://brainly.com/question/21819443

The Ethics Code relates towards the guidance of principles that specialists need to help them perform their business with integrity.

It also included business ethics, a code of professional behavior as well as rules of ethics for employees.Organizations adopt an ethics code so that their representatives can understand the difference between what is wrong and what is right.Employees may be judged in an organization through an ethics code when they do anything that does not match the company's ethical standards.The code of ethics is important because it shapes an organization.

Therefore, the final answer is "code of ethics".

Learn more:

brainly.com/question/13818432

tumblr allows greta to post text, photos, and hyperlinks about some of her favorite things. she enjoys reading the feedback that other internet users post about her choices. which form of consumer-generated media is greta using?

Answers

Tumblr allows Greta to post text, photos, and hyperlinks about some of her favorite things. She enjoys reading the feedback that other internet users post about her choices. The form of consumer-generated media is Greta using is blog entries.

What is Tumblr?

Tumblr is a microblogging and networking sites website started in 2007 by David Karp and now owned by Automattic. Users can utilize the service to submit multimedia and other content to a short-form blog. People can follow the blogs of other users. Bloggers can also set their blogs to be private.

User-generated content, also known as user-created content, is any type of content produced by people on online platforms like social media, discussion forums, and wikis, such as photographs, videos, text, opinions, and audio.

Learn more about consumer-generated media:
https://brainly.com/question/20900221
#SPJ1


Which structural semantic will this HTML code snippet form?

Which structural semantic will this HTML code snippet form?

Answers

Answer:

D. Block

Explanation:

Semantic HTML or semantic markup is HTML that introduces meaning to the web page rather than just presentation. For example, a <p> tag indicates that the enclosed text is a paragraph. This is both semantic and presentational because people know what paragraphs are, and browsers know how to display them.

Answer:

d

Explanation:

You have an application that you would like to run on your Windows workstation every Monday at 3:00 p.m. Which tool would you use to configure the application to run automatically

Answers

Answer:

Task Scheduler

Explanation:

Task Scheduler allows you to automate tasks in Windows 10

Do you like PC? Why? (I need your opinion for research)

Answers

Answer:

I do prefer a PC over a MacBook or other computers because you can customize the hardware and make it bette ring your own way unlike a MacBook where it’s all a secret and you can’t even try to pry it open and if you do the computer would stop working. You can customize your own features to make it better in your own way. A PC is pretty basic to use but the bad thing is that since the systems are most likely not protected, then many hackers/viruses could get in.

I like pc there affordable and work well but what the other person said the con is that they can catch virus or get hacked but I feel each has its pros and cons

what are the component of cyber law?​

Answers

Answer:

The very important component is "intellectual property".

Explanation:

Cyberlaw seems to be a component of the entire judicial process dealing with either the World wide web, virtual worlds as well as their corresponding legal problems. Intellectual property may also include locations such as technologies, literary criticism, songwriting, as well as industry. Nowadays it provides electronic products that are already offered mostly on the online platform.

A student decides to give his bicycle a tune up. He flips it upside down (so there's no friction with the ground) and applies a force of 26 N over 1.1 seconds to the pedal, which has a length of 16.5 cm. If the back wheel has a radius of 33.0 cm and moment of inertia of 1200 kg cm^2, what is the tangential velocity of the rim of the back wheel in m/s

Answers

To calculate the tangential velocity of the rim of the back wheel, we first need to find the torque applied to the pedal. Torque (τ) can be calculated as:

τ = Force × Lever Arm
τ = 26 N × 0.165 m = 4.29 Nm

Next, we'll find the angular acceleration (α) using the formula:

α = τ / Moment of Inertia
α = 4.29 Nm / 0.012 kg m^2 = 357.5 rad/s^2

Now, we can determine the angular velocity (ω) by using the equation:

ω = α × Time
ω = 357.5 rad/s^2 × 1.1 s = 393.25 rad/s

Finally, we can calculate the tangential velocity (v) using the formula:

v = ω × Radius
v = 393.25 rad/s × 0.33 m ≈ 129.77 m/s

So, the tangential velocity of the rim of the back wheel is approximately 129.77 m/s.

learn more about  tangential velocity  here:

https://brainly.com/question/30525214

#SPJ11

Digital exclusion, also known as the digital divide, separates
O
O
social media users and non-social media users.
those who have Internet access and those who don't.
those who live in poverty and those who don't.
young Internet users from old Internet users.

Answers

those who have Internet access and those who don't.

define the computer with its workintg principple

Answers

Explanation:

Computer is an electronic device that is designed to work with information.

WORKING PRINCIPLE OF COMPUTER

a.It accepts data and instructions by way of input,

b.It stores data,

c.It can process data as required by the user,

d.It gives result in the form of output,

e.It controls all operations inside a computer.

I hope it will help you

how are smart pointer functions move(), reset(), and release() different from each other? please also explain in detail which function is most dangerous and why?

Answers

The differences between the smart pointer functions move(), reset(), and release().

1. move(): This function is used to transfer ownership of a managed object from one smart pointer to another. When move() is called, the source smart pointer relinquishes ownership, and the destination smart pointer assumes ownership. As a result, the source smart pointer becomes empty (no longer points to any object), and the destination smart pointer takes control of the object.

2. reset(): This function is used to release the ownership of the current object and, optionally, take ownership of a new object. When reset() is called without arguments, it releases the ownership of the managed object, and the smart pointer becomes empty. If reset() is called with an argument (a pointer to a new object), the smart pointer releases the current object's ownership and takes ownership of the new object.

3. release(): This function is used to release ownership of the managed object without destroying it. When release() is called, the smart pointer becomes empty (no longer points to any object) and returns a raw pointer to the released object. The caller becomes responsible for managing the object's lifetime, including deleting it when necessary.

The most dangerous function among these is release() because it transfers ownership to a raw pointer. Raw pointers do not automatically manage memory, so it is the programmer's responsibility to ensure proper memory management, which may lead to memory leaks or undefined behavior if not handled correctly. On the other hand, move() and reset() maintain the smart pointer's memory management capabilities, reducing the risk of errors.

To know more about  smart pointer  visit :

https://brainly.com/question/30553205

#SPJ11

are our current copyright policies helping society or hurting society? i need help

Answers

Answer:

helping society

Explanation:

it can help you to protect your works and creativity and brilliant ideas from liars and cheaters and frauds

How big of a role does social media play in the mental health of people? Does it do more harm or good? Explain why. in 400 words

Answers

The role that social media play in the mental health of people is big. The use of social media is one that is known to have c positive effects for example connecting people, giving a platform for self-expression, and others.

What is the  role that social media?

The  key bad  impacts of social media on mental health is one that is known to have the potential for addiction. Social media platforms are said to be set up to be a form of engaging, which can result to individuals spending excessive amounts of time going through their feeds and this may lead to depression.

Hence the negative impact of social media on mental health is the one that can also lead to cyberbullying that is Online harassment.

Learn more about  role that social media from

https://brainly.com/question/1163631

#SPJ1

why is computer known as a vesatile machine? Explain​

Answers

Explanation:

Computer is known as a versatile machine because it is Capable of doing many things competently.

Answer:

Computer is called versatile machine because it is used in almost all the fields for various purpose.

Like: Speed accuracy, automatic endurance, versatility, storage etc

Growing up with dyslexia, Stephanie always struggled in English and Reading. Math was a breeze for her, though. Along the way, there were a few teachers who really worked closely with Stephanie to help her absorb the information she needed, and they showed her how to make learning fun! Stephanie particularly loved studying trigonometry and even her high school teacher is having difficulty keeping up with her. Now that she has been able to figure out how to study, education no longer scares Stephanie. In fact, she finds it a great way to explore and understand the world around her

Answers

Explanation:

A lot of people with dyslexia can relate to Stephanie.

Select the three careers in the creative side of digital media.

broadcasting
web designer
animators
filmmaker
project management

Answers

Answer:

I would pick A B and D to be my answer

Answer:

web designer, animators, and filmmaker.




what is a microphone ​

Answers

Answer: It is a piece of tech that's used for recording audio

Explanation:

something you use that is a piece of tech to sound louder

Wanda is taking photos using a lens that sees and records a very narrow view with a focal length longer than 60mm. When her friend asks what type of lens she is using for their photography outing,

Answers

Answer:

a telephoto lensExplanation: It's on Quizlet lol

And I got it correct on the test...

It provides an instant 2x optical zoom and has a focal length that is twice that of the primary lens. Additionally, it has a limited field of view, which causes distant things to resemble those that are nearby.

What role of telephoto lens in taking photos?

Simply put, a telephoto lens deceives the eye into thinking a topic is closer than it actually is. This may be the best option for photographers who are physically unable to go close to their subjects or who are concerned for their safety.

With a telephoto lens, the background elements appear larger and nearer to the foreground elements. The converse is true with wide-angle lenses, which make background elements appear smaller and farther away from the camera.

Therefore, a telephoto lens Wanda uses a lens longer than 60 mm in focal length to capture images with a very small field of view. When her friend inquires about the lens she will be using on their photographic excursion.

Learn more about telephoto lens here:

https://brainly.com/question/15599633

#SPJ2

coding could help prevent car crashes with automatic driving cars; however, some are afraid of tha because it allows control over people.what do you think? safety verse power verse privacy?​

Answers

Answer:

Honestly self driving cars are the future of humans and it can and will help us evolve. It could possibly be more dangerous if someone messed up the coding and it can be hacked by almost anyone with coding abilities, so it all depends on how safe you think you will be not driving yourself anywhere. Overall it could go both ways( good or bad.)

Hope this helped

Explanation:

BTW this is for python also don't make it complicated make it easy
1. You are beginning to prepare for post-secondary education! You are looking to see if your marks are good enough to get into various schools. You will:
a. Prompt user input for their name and their marks. You will always be in exactly 4 courses and your marks will be integers (i.e. you cannot receive a 90.5% in a course).
b. Prompt the user for a post-secondary school and the average needed to get into that school.
c. If the user enters a mark or average that is not an integer, below 0, or above 100, prompt them again.
d. Calculate the average mark of the user. Round the average to one decimal place.
e. Output the user’s average, their letter grade and whether the user has a high enough average to get into the school they have entered.
Sample Input:
Name = Mr. Slater
Mark 1 = 90
Mark 2 = 90
Mark 3 = 90
Mark 4 = 90
School 1 = Queen’s
Average 1 = 85Sample Output:
Mr. Slater’s average is 90.0%! That is an A.
Mr. Slater has a high enough average for Queen’s!

BTW this is for python also don't make it complicated make it easy1. You are beginning to prepare for

Answers

Answer:

name = input('Enter name: ')

grades = [input("Enter Grade #" + str(i+1) + ": ") for i in range(4)]

dream_school = input('Enter school: ')

average = round(sum(grades)/len(grades), 1)

if average < 60:

   letter = 'F'

elif average < 70:

   letter = 'D'

elif average < 80:

   letter = 'C'

elif average < 90:

   letter = 'B'

else:

   letter = 'A'

print(name + "'s average is " + str(average) + ". That is a " + letter)

if letter == 'A': print(name + "has enough for " + dream_school)

4.9 Code Practice: Question 2

4.9 Code Practice: Question 2

Answers

total = 0

for x in range(20, 91, 10):

   total += x

   print(total)

I hope this helps!

Answer:

sum = 0

for r in range (20, 91, 10):

   sum += r

   print(sum)

Explanation:

does anyone know what's wrong with this code

does anyone know what's wrong with this code
does anyone know what's wrong with this code

Answers

hmmm- I don’t see anything right now, I’m at the end of a semester in Computer technology.

state 5 different between mouse and keyboard​

Answers

Answer:

*here you go *

Explanation:

While the main purpose of a mouse is to guide the cursor on the computer monitor, a keyboard is a typewriter like device with some additional functions that allow human interaction with computer. ... While mouse is considered to be a pointing device, keyboard is the input device for a computer.

(Keyboard vs Mouse

Keyboard and mouse are integral parts of a computer system and one cannot even think of interacting with the computer or monitor with the use of these two devices. In a sense, these two devices are the user interface that allows working on a computer system, and without them it is not possible to do anything on a computer. While the main purpose of a mouse is to guide the cursor on the computer monitor, a keyboard is a typewriter like device with some additional functions that allow human interaction with computer. In fact, a keyboard is the only source of providing the input to the computer and it performs the functions we ask it only with the help of this device.

While mouse is considered to be a pointing device, keyboard is the input device for a computer. Despite touch screen having been developed that allows one to use virtual keyboard onscreen, physical keyboard remains first choice of most of the individuals. There are keys with symbols printed on them in a keyboard and with the lightest of touches; the numeral or alphabet gets written on the screen of the monitor using a keyboard. There are some instructions for which one has to press a key and holding it pressed, another key has to be pressed. There are many shortcuts also used with the help of a keyboard that help save time and effort. Many computer commands are the results of these shortcuts. The major function of a keyboard is when one is using a word processor or a text editor.

A mouse is a pointing device and consists of a right and left clicks with a wheel in between that allows on to scroll up and down on a web page. The major function of a mouse is to control the cursor on the monitor of the screen. Today there are wireless mouse available that work through infrared rays.)

assume a router receives packets of size 400 bits every 100 ms, which means with the data rate of 4 kbps. show how we can change the output data rate to less than 1 kbps by using a leaky bucket algorithm

Answers

The leaky bucket algorithm is a congestion control mechanism used in computer networks to control the rate at which data is transmitted. In this case, to change the output data rate to less than 1 kbps for the router receiving packets of size 400 bits every 100 ms (which corresponds to a data rate of 4 kbps).

We can use the leaky bucket algorithm as follows:

Set the bucket size to a value less than 400 bits, for example, 200 bits.Set the output rate of the leaky bucket algorithm to less than 1 kbps, for example, 800 bps.As packets arrive, they are added to the bucket. If the bucket exceeds its capacity, the excess packets are dropped or delayed.The leaky bucket algorithm then allows packets to be transmitted from the bucket at the specified output rate, which is less than 1 kbps in this case.This process ensures that the output data rate from the router is limited to less than 1 kbps, effectively controlling the rate of data transmission to a lower value.

By adjusting the bucket size and output rate of the leaky bucket algorithm, we can control the data rate at which packets are transmitted from the router, thereby achieving an output data rate of less than 1 kbps as required.

To learn more about router; https://brainly.com/question/24812743

#SPJ11

Other Questions
An average of 40% of the cost of gasoline goes to state and federal taxes. If gasoline sells for $4.89/gallon, how much tax do you pay if you purchase 30 gallons? All the following countries participate in NAFTA except _____.A.GreenlandB.CanadaC.MexicoD.United States Eight more than the number n is equal to 25. find the number n Seven years ago, Lance Measy purchased a wooden statue of a Spanish Conquistador for $8,200 to put in his home office. Lance recently married a woman who he thinks has better taste then he does and she insists it has to go. He loves his new wife and agrees to sell the Conquistador statue on ebay and receives less than he paid for it, $7,000. What is his rate of return on the purchase of the statue? Hint, I/Y compounded annually Hey motorcycle parts for $9000 today will depreciate by 5% each year what year will the motorcycle be worth approximately $3000 Production Data number of cars washed at different employment levels. So, when I have 2 employees working, they wash a total of 23 cars a day. Production Data Production Data Workers 0 When I have 3 employees working, they wash a total of 42 cars a day...does this make sense? Cars Washed 0 8 1 23 2 3 42 Got it! 4 64 Randall 5 6 80 90 98 96 7 Okay, so in my economics class we learned about average product of labor. 8 Randall What is the average product of labor when you have employed 3 workers? Randall 19 22 14 Submit what is the quotient of 4.082 and 10,000. public promises or ordinary promises? In which rock or sediment type is would you expect the water flow to be the LEAST? silt unweathered limestone sandstone unconsolidated sand A plane is flying at a speed of 150 miles per hour. The pilot on flying at this speed for the next 160 miles, plus or minus 25. What an absolute value equation to find the minimum and maximum number of hours the plane will travel at that speed. I have to have the equation minimum number of hours and maximum number of hours FILL THE BLANK. america's national debt rose from $5.5 trillion in 2000 to _________ by the end of 2019. what does sound need to travel in? Learning Diagnostic Analytics Math Skill plans Recommendations GA Standards You have prizes t Fifth grade > Y.11 Multi-step problems with customary unit conversions MJ9 Kimi has two horses: Salt and pepper. Every month, Salt eats 450 pounds of hay. Pepper is bigger, so he eats 550 pounds of hay each month. How many tons of hay do Salt and pepper eat in a year? tons Submit Leadership training often fails because managers are not sutticiently motivated to change their own individual behaviors atter attending the training of the disconnect between research and practice (what science knows and whot business doesl. the cost is not worth the beneft after implernentation. managers are trapped in systerms that won't support individual betavior change. Question 7 A high degree of may lead to reduced innovativeness because employees are used to being directed to behave in a certain manner. finctional departmentalitation formalcation divisional depurtrentatization owentritiation step 2:what do you need to do first to overcome it?step 3:what do you need to do first to over come it?what do you plan to achieve? Pls po i really need this help. I'll mark brainliest who answered po.Design Your Offspring:Create your imaginary offspring. Bring in a picture or drawing of yourself and of your sweetheart, favorite celebrity, or dream girl or guy (these are not included).1. Attach your picture to your poster (these are not included). Next to each picture, describe the traits and give each a genotype. (Use your imagination)2. Identify two different possible children. Show and describe the phenotypes and genotypes for each children.3. Show a monohybrid cross using your trait. (Example. Mm x mm). Show the Punnet and the ratios produced. Include the genotype and phenotype in the punnet square. 5. Let A be an invertible matrix. Prove that if A is diagonalizable then seis A which event or policy spurred the soviet establishment of the council for mutual economic assistance (comecon) in 1949? Biotransport PhenomenaSketch the velocity, velocity gradient and shear stress profile for a fluid moving past a solid wall. Determine whether the equation y=-2\root(5)(x) defines y as a function of x.