[2501] Below is a class hierarchy for card games. Which of the Hand member functions may be overridden in the GoFishHand class?
class Hand {
std::vector cards;
public:
void add(const Card&);
Card get(size_t index) const;
virtual int score() const;
};
class PokerHand : public Hand { . . . };
class BlackjackHand : public Hand { . . . };
class GoFishHand : public Hand { . . . };
get()
add()
score()
all of them
none of them

Answers

Answer 1

The GoFishHand class allows for overriding the Hand member method score().

How many ranks do playing cards have?

Ace, King, Queen, Jack, 10, Nine, Eight, Seven, Six, Five, Four, Three, and Two are the card ranks that must be used in all poker variations other than low poker to determine the winning hands.

Which card suit is superior?

The most typical conventions used when suit rating is applied are: In alphabetical order, the clubs are at the bottom, followed by the hearts, diamonds, and spades (highest). In the bridge game, this ranking is used.A poker hand consists of five cards.

To know more about overriding visit :-

https://brainly.com/question/13326670

#SPJ4


Related Questions

If you create a user in AZURE AD, It is called as ________ identity

Answers

Answer:

user

Explanation:

If you create a user in Azure AD (Azure Active Directory), it is called a "user identity.

Vladimir is reworking an old slideshow. He needs to delete some of the text, combine or summarize other parts, and create a few new slides as well. He wants to only look at the text. Is there any easy way to do that?

Answers

Answer:

Outline View

Explanation:

Most slideshow software has an Outline view that shows only the text of each slide without any graphics or other distracting elements. In this view, Vladimir can easily edit, delete, and summarize the text without getting distracted by other elements.

The Fast Freight Shipping Company charges the following rates for different package weights:
2 pounds or less: $1.50
over 2 pounds but not more than 6 pounds: $3.00
over 6 pounds but not more than 10 pounds: $4.00
over 10 pounds: $4.75
Write a program that asks the user to enter the weight of a package and then displays the shipping charges. The program should also do "Input Validation" that only takes positive input values and show a message "invalid input value!" otherwise.

Answers

Answer:

import java.util.Scanner;

public class ShippingCharge

{

   static double wt_2=1.50;

   static double wt_6=3;

   static double wt_10=4;

   static double wt_more=4.75;

   static double charge;

   static double weight;

public static void main(String[] args) {

    Scanner sc = new Scanner(System.in);

   do

   {

 System.out.print("Enter the weight of the package: ");

 weight = sc.nextDouble();

 if(weight<=0)

     System.out.println("Invalid input value!");

}while(weight<=0);

 if(weight<=2)

    charge=wt_2;

else if(weight<=6 && weight>2)

    charge=wt_6;

else if(weight<=10 && weight>6)

    charge=wt_10;

else

    charge=wt_more;

System.out.println("Shipping charges for the entered weight are $"+charge);

}

}

OUTPUT

Enter the weight of the package: 0

Invalid input value!

Enter the weight of the package: 4

Shipping charges for the entered weight are $3.0

Explanation:

1. The variables to hold all the shipping charges are declared as double and initialized.

   static double wt_2=1.50;

   static double wt_6=3;

   static double wt_10=4;

   static double wt_more=4.75;

2. The variable to hold the user input is declared as double.

   static double charge;

   static double weight;

3. The variable to hold the final shipping charge is also declared as double.  

4. Inside main(), an object of Scanner class is created. This is not declared static since declared inside a static method, main().

Scanner sc = new Scanner(System.in);

5. Inside do-while loop, user input is taken until a valid value is entered.

6. Outside the loop, the final shipping charge is computed using multiple if-else statements.

7. The final shipping charge is then displayed to the user.

8. All the code is written inside class since java is a purely object-oriented language.

9. The object of the class is not created since only a single class is involved.

10. The class having the main() method is declared public.  

11. The program is saved with the same name as that of the class having the main() method.

12. The program will be saved as ShippingCharge.java.

13. All the variables are declared as static since they are declared outside main(), at the class level.

Can someone help me out with this one? I'm not sure why my code is not working
Now, let's improve our steps() function to take one parameter
that represents the number of 'steps' to print. It should
then return a string that, when printed, shows output like
the following:
print(steps(3))
111
222
333
print(steps(6))
111
222
333
444
555
666
Specifically, it should start with 1, and show three of each
number from 1 to the inputted value, each on a separate
line. The first line should have no tabs in front, but each
subsequent line should have one more tab than the line
before it. You may assume that we will not call steps() with
a value greater than 9.
Hint: You'll want to use a loop, and you'll want to create
the string you're building before the loop starts, then add
to it with every iteration.
Write your function here
def steps(number):
i = 1
while i < number + 1:
string = str(i) * 3
string1 = str(string)
if i != 0:
string1 = (i * 4*' ' + "\b" + "\b" + "\b" + "\b") + string
elif i == 1:
string1 = string
print(string1)
i = i + 1
#The following two lines will test your code, but are not
#required for grading, so feel free to modify them.
print(steps(3))
print(steps(6)

Answers

Answer:

Add this statement at the end of your steps() function

return ""

This statement will not print None at the end of steps.

Explanation:

Here is the complete function with return statement added at the end:

def steps(number):  # function steps that takes number (number of steps to print) as parameter and prints the steps specified by number

   i = 1  #assigns 1 to i

   while i < number + 1:  

       string = str(i) * 3  #multiplies value of i by 3 after converting i to string

       string1 = str(string)  # stores the step pattern to string1

       if i != 0:  # if the value of i is not equal to 0

           string1 = (i * 4*' ' + "\b" + "\b" + "\b" + "\b") + string  #set the spaces between steps

       elif i == 1:  # if value of i is equal to 1

           string1 = string  #set the string to string1

       print(string1)  # print string1

       i = i + 1  # increments i at each iteration

   return "" #this will not print None at the end of the steps and just add a an empty line instead of None.

Screenshot of the corrected program along with its output is attached.

Can someone help me out with this one? I'm not sure why my code is not workingNow, let's improve our

Which view allows you to make changes to the content of your presentation?

Editing
Reading
Slideshow
Tracking

Answers

That would be editing probably.

Answer:

This would be editing.

Explanation:

Editing allows you to make changes within a web page, especially in a presentation. I hope this helped :)

true or false. Two of the main differences between storage and memory is that storage is usually very expensive, but very fast to access.​

Answers

Answer:

False. in fact, the two main differences would have to be that memory is violate, meaning that data is lost when the power is turned off and also memory is faster to access than storage.

What is most like the embodied energy of old buildings?
A. a new pair of jeans made and sold locally
B. a pair of vintage jeans in a secondhand store
C. an old pair of jeans cut up and sewn together for a new jacket
D. a new pair of jeans made with sustainable denim and dyes

Answers

Answer:

C. an old pair of jeans cut up and sewn together for a new jacket

Explanation:

The above given statement is the answer to the question regarding to the embodied energy of old buildings. This is because, it tries to show that, an old jeans which could represent or similar to old buildings was cut up into pieces before being sewn together forming a new jacket.

Software that is downloaded from the internet fits into four categories what are they

Answers

Answer:

Application Software

Driver Software.

System Software

Programming Software

Answer:

application, system,driver and programming software

Which feature enables you to make changes to all the slides of your presentation at the same time?
O A. Themes
• B. Slide Master
O C. Animations
O D. Background

Answers

Answer:

B

Explanation:

In PowerPoint, Slide Master allows you to modify all of your slides at the same time.

3. Consider the organization you are currently working in and explain this organization from systems characteristics perspectives particularly consider objective, components (at least three) and interrelationships among these components with specific examples.

Answers

The organization i worked for from systems characteristics perspectives is based on

Sales and OperationsMarketing and Customer Relations

What is the  systems characteristics perspectives

In terms of Sales and Operations: This part involves tasks connected to managing inventory, moving goods, organizing transportation, and selling products. This means getting things, storing them,  sending them out, and bringing them to people.

Lastly In terms of  Marketing and Customer Relations: This part is all about finding and keeping customers by making plans for how to sell products or services.

Read more about  systems characteristics perspectives here:

https://brainly.com/question/24522060

#SPJ1

you want to identify all devices on a network along with a list of open ports on those devices. you want the results displayed in a graphical diagram. which tool should you use?

Answers

Since you want to identify all devices on a network along with a list of open ports on those devices. you want the results displayed in a graphical diagram. the tool that you use is Port scanner.

Why would someone use a port scanner?

Finding open ports on a network that might be receiving or transferring data is a process called port scanning. In order to find vulnerabilities, it also entails sending packets to particular ports on a host and examining the answers.

Note that Only when used with a residential home network or when specifically approved by the destination host and/or network are network probing or port scanning tools allowed. Any kind of unauthorized port scanning is absolutely forbidden.

Learn more about Port scanner from

https://brainly.com/question/28147402
#SPJ1

When choosing a new computer to buy, you need to be aware of what operating it uses.

Answers

Answer: Size & Form-Factor, Screen Quality,Keyboard quality,CPU, RAM, Storage,Battery Life, USB 3.0, Biometric Security,Build quality.

Explanation:

1 - 7 are the most important for laptops and for desktops 1,3,4,5and 6.

Hope this helped!

Submit your three to five page report on three manufacturing careers that interest you.

Answers

Answer:

Manufacturing jobs are those that create new products directly from either raw materials or components. These jobs are found in a factory, plant, or mill. They can also exist in a home, as long as products, not services, are created.1

For example, bakeries, candy stores, and custom tailors are considered manufacturing because they create products out of components. On the other hand, book publishing, logging, and mining are not considered manufacturing because they don't change the good into a new product.

Construction is in its own category and is not considered manufacturing. New home builders are construction companies that build single-family homes.2 New home construction and the commercial real estate construction industry are significant components of gross domestic product.3

Statistics

There are 12.839 million Americans in manufacturing jobs as of March 2020, the National Association of Manufacturers reported from the Bureau of Labor Statistics.4 In 2018, they earned $87,185 a year each. This included pay and benefits. That's 21 percent more than the average worker, who earned $68,782 annually.5

U.S. manufacturing workers deserve this pay. They are the most productive in the world.6 That's due to increased use of computers and robotics.7 They also reduced the number of jobs by replacing workers.8

Yet, 89 percent of manufacturers are leaving jobs unfilled. They can't find qualified applicants, according to a 2018 Deloitte Institute report. The skills gap could leave 2.4 million vacant jobs between 2018 and 2028. That could cost the industry $2.5 trillion by 2028.

Manufacturers also face 2.69 million jobs to be vacated by retirees. Another 1.96 million are opening up due to growth in the industry. The Deloitte report found that manufacturers need to fill 4.6 million jobs between 2018 and 2028.9

Types of Manufacturing Jobs

The Census divides manufacturing industries into many sectors.10 Here's a summary:

Food, Beverage, and Tobacco

Textiles, Leather, and Apparel

Wood, Paper, and Printing

Petroleum, Coal, Chemicals, Plastics, and Rubber

Nonmetallic Mineral

Primary Metal, Fabricated Metal, and Machinery

Computer and Electronics

Electrical Equipment, Appliances, and Components

Transportation

Furniture

Miscellaneous Manufacturing

If you want details about any of the industries, go to the Manufacturing Index. It will tell you more about the sector, including trends and prices in the industry. You'll also find statistics about the workforce itself, including fatalities, injuries, and illnesses.

A second resource is the Bureau of Labor Statistics. It provides a guide to the types of jobs that are in these industries. Here's a quick list:

Assemblers and Fabricators

Bakers

Dental Laboratory Technicians

Food Processing Occupations

Food Processing Operators

Jewelers and Precious Stone and Metal Workers

Machinists and Tool and Die

Medical Appliance Technicians

Metal and Plastic Machine Workers

Ophthalmic Laboratory Technicians

Painting and Coating Workers

Power Plant Operators

Printing

Quality Control

Semiconductor Processors

Sewers and Tailors

Slaughterers and Meat Packers

Stationary Engineers and Boiler Operators

Upholsterers

Water and Wastewater Treatment

Welders, Cutters, Solderers

Woodworkers11

The Bureau of Labor Statistics describes what these jobs are like, how much education or training is needed, and the salary level. It also will tell you what it's like to work in the occupation, how many there are, and whether it's a growing field. You can also find what particular skills are used, whether specific certification is required, and how to get the training needed.11 This guide can be found at Production Occupations.

Trends in Manufacturing Jobs

Manufacturing processes are changing, and so are the job skills that are needed. Manufacturers are always searching for more cost-effective ways of producing their goods. That's why, even though the number of jobs is projected to decline, the jobs that remain are likely to be higher paid. But they will require education and training to acquire the skills needed.

That's for two reasons. First, the demand for manufactured products is growing from emerging markets like India and China. McKinsey & Company estimated that this could almost triple to $30 trillion by 2025. These countries would demand 70 percent of global manufactured goods.12

How will this demand change manufacturing jobs? Companies will have to offer products specific to the needs of these very diverse markets. As a result, customer service jobs will become more important to manufacturers.

Second, manufacturers are adopting very sophisticated technology to both meet these specialized needs and to lower costs.

Write a program HousingCost.java to calculate the amount of money a person would pay in renting an apartment over a period of time. Assume the current rent cost is $2,000 a month, it would increase 4% per year. There is also utility fee between $600 and $1500 per year. For the purpose of the calculation, the utility will be a random number between $600 and $1500.
1. Print out projected the yearly cost for the next 5 years and the grand total cost over the 5 years.
2. Determine the number of years in the future where the total cost per year is over $40,000 (Use the appropriate loop structure to solve this. Do not use break.)

Answers

Answer:

import java.util.Random;

public class HousingCost {

public static void main(String[] args) {

int currentRent = 2000;

double rentIncreaseRate = 1.04;

int utilityFeeLowerBound = 600;

int utilityFeeUpperBound = 1500;

int years = 5;

int totalCost = 0;

System.out.println("Year\tRent\tUtility\tTotal");

for (int year = 1; year <= years; year++) {

int utilityFee = getRandomUtilityFee(utilityFeeLowerBound, utilityFeeUpperBound);

int rent = (int) (currentRent * Math.pow(rentIncreaseRate, year - 1));

int yearlyCost = rent * 12 + utilityFee;

totalCost += yearlyCost;

System.out.println(year + "\t$" + rent + "\t$" + utilityFee + "\t$" + yearlyCost);

}

System.out.println("\nTotal cost over " + years + " years: $" + totalCost);

int futureYears = 0;

int totalCostPerYear;

do {

futureYears++;

totalCostPerYear = (int) (currentRent * 12 * Math.pow(rentIncreaseRate, futureYears - 1)) + getRandomUtilityFee(utilityFeeLowerBound, utilityFeeUpperBound);

} while (totalCostPerYear <= 40000);

System.out.println("Number of years in the future where the total cost per year is over $40,000: " + futureYears);

}

private static int getRandomUtilityFee(int lowerBound, int upperBound) {

Random random = new Random();

return random.nextInt(upperBound - lowerBound + 1) + lowerBound;

}

}

MINI
State True or False:
1.
Microsoft PowerPoint 2010 uses layouts to define formatting, positioning and
placeholders forall of the contents that appear on a slide,​

Answers

Answer:

i guess false.........

Explanation of how 3D printing gives SpaceX a competitive advantage
and
Discussion of how business intelligence is used or could be used to support SpaceX's 3D printing process

Answers

SpaceX gains a competitive advantage with the implementation of 3D printing technology, which provides an economical solution to producing lightweight and customizable parts that are intricate in design.

How is this so?

The use of this cutting-edge technology facilitates rapid iteration, reducing both developmental costs and time. It enables the company to manufacture these materials in-house, thereby averting external supply chain inefficiencies.

Moreover, by using Business Intelligence tools to analyze data related to some factors as part performance and supply chain logistics, it becomes easier for SpaceX not only to monitor the operational efficiency of its manufactured products but also spot possible optimization opportunities.

Learn more about 3D printing at:

https://brainly.com/question/30348821

#SPJ1

What is Tesla BEST know for designing this? ANSWER

What car company by Elon Musk honors him? ANSWER

What famous inventor did Tesla work for in New York? ANSWER

What did Tesla help invent that helps us see our bones? ANSWER

What did he first build that kids typically use? ANSWER

What did Tesla tell people he could do? ANSWER

What happened to all of Tesla’s money? ANSWER

What is happening with Teslas wireless technology today?

What is Tesla BEST know for designing this? ANSWERWhat car company by Elon Musk honors him? ANSWERWhat

Answers

Answer:

tesla coilsteslaedisonx rayslinkytime travelhe spent itblue tooth

Explanation:

In the file MajorSalary, data have been collected from 111 College of Business graduates on their monthly starting salaries. The graduates include students majoring in management, finance, accounting, information systems, and marketing. Create a PivotTable in Excel to display the number of graduates in each major and the average monthly starting salary for students in each major.

Answers

Answer:

The pivot table is attached below

Explanation:

procedure used to create the Pivot Table

select insert from worksheet Ribbonselect pivot tableselect the range of Dataselect   "new worksheet "select Major as row heading and the summation symbol to count the majorinput variables given in their right cells

after this procedure the table is successfully created

Attached below is the Pivot Table in Excel displaying The number of graduates in each major and average monthly salaries

In the file MajorSalary, data have been collected from 111 College of Business graduates on their monthly

PLZ HELP WILL MARK BRANLIEST Jargon is:

A. the main point of your slide presentation.

B. another way to describe good communication.

C. language that includes terms that only a select few can understand.

D. the text that goes into the presenter notes section of a slide presentation.

Answers

Answer:C language that include terms that only a select

Explanation:

It’s the right one

Need comments added to the following java code:

public class Point {

private double x;

private double y;

private String type;

public void setXY(double xx, double yy) {
x = xx;
y = yy;
}

public double getY() {
return y;
}

public String getType() {
return type;
}

public void setType(String type) {
this.type = type;
}

public double[] getDimensions() {
return new double[] { x, y };
}

public String toString() {
return "Point [" + x + ", " + y + "] is " + type;
}
}

Answers

Answer: Are there options for this?

Explanation:

What online game do you play on the internet and can I play with you on it? I play downtown mafia 1960

Answers

Answer:

crazygames.com

Explanation:

Krista is doing research for her school assignment. While she is completing her research, the computer unexpectedly restarts. The computer restarted because it

was installing software
was installing updates
was updating the hardware
was updating the virus

Answers

Answer:

I believe the answer should be was installing updates.

Explanation:

To have integrity means that you

Answers

You are honest and disciplined

Why would you use a computer's secondary memory?
O A. To look at files created on your home computer on a public
computer
B. To run word processing software on your computer
O C. To save a slide show presentation on your computer
D. To start up your computer and perform its basic tasks

Answers

Answer:

I think B

Explanation:

Secondary storage is needed to keep programs and data long term. Secondary storage is non-volatile , long-term storage. Without secondary storage all programs and data would be lost the moment the computer is switched off.

A computer's secondary memory would be used to look at the files created on the home screen of the computer.

Option A is the correct answer.

A computer is an electronic device that is used to do various kinds of operations automatically.

Now, Secondary memory can be utilized to store the data or information which can be instantly recovered.

It is also known as backup memory. USB drives, hard disk drives, optical drives, etc. are some examples of secondary memory.

Therefore, the task of locating the files in the computer is to be done by using the computer's secondary memory. So option A is true.

Learn more about the secondary memory in the related link:

brainly.com/question/24901228

#SPJ6

how do i work this out? does anyone do programming?

how do i work this out? does anyone do programming?

Answers

Answer : No sorry ..

Can an apple watch break or have a camera?

Answers

Answer:

apple watches can break, and they can deffinetly have cameras if they engineered right.

Explanation:

Answer:

yes and no

Explanation:

it can break and no camera

To use an outline for writing a formal business document, what should you do
after entering your bottom-line statement?
O A. Move the bottom-line statement to the end of the document.
OB. Enter each major point from the outline on a separate line.
O C. Write a topic sentence for every detail.
OD. Enter each supporting detail from the outline on a separate line.

Answers

To use an outline for writing a formal business document after entering your bottom-line statement, you should: D. Enter each supporting detail from the outline on a separate line.

What is the outline?

To effectively structure the content of your business document and organize your ideas, it is beneficial to input each supporting detail outlined into individual lines. This method enables you to elaborate on every supporting aspect and furnish ample evidence to reinforce your primary assertion.

One way to enhance your document is by elaborating on each point with supporting details, supplying proof, illustrations, and interpretation as required.

Learn more about business document from

https://brainly.com/question/25534066

#SPJ1

numStudents is read from input as the size of the vector. Then, numStudents elements are read from input into the vector idLogs. Use a loop to access each element in the vector and if the element is equal to 4, output the element followed by a newline.

Ex: If the input is 6 68 4 4 4 183 104, then the output is:

4
4
4

Answers

Here's an example solution that uses a loop to access each element in the vector idLogs and outputs the elements equal to 4

How to write the output

#include <iostream>

#include <vector>

int main() {

   int numStudents;

   std::cin >> numStudents;

   std::vector<int> idLogs(numStudents);

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

       std::cin >> idLogs[i];

   }

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

       if (idLogs[i] == 4) {

           std::cout << idLogs[i] << std::endl;

       }

   }

   return 0;

}

Read more on Computer code here https://brainly.com/question/30130277

#SPJ1

which control is appropriate for the display of amount due for products purchased

Answers

The appropriate control for the display of the amount due for products purchased would be an input validation control.

What is Input validation controls

Input validation controls are used to ensure that the data entered into a system is accurate, complete, and in the expected format. In the case of displaying the amount due for products purchased, an input validation control would ensure that the total amount due is calculated correctly and that the display of the amount due is formatted in a way that is easily understandable for the user.

For example, an input validation control could be used to verify that the calculations for the amount due are accurate by comparing the total amount due to the sum of the individual items purchased. The control could also be used to ensure that the display of the amount due is formatted in a clear and consistent way.

Learn more about  input validation control at;

https://brainly.com/question/28273053
#SPJ1

discuss the technologies that implements an infrastructure for component communication

Answers

Explanation:

Consulting and system integration services are relied on for integrating a firm's legacy systems with new technology and infrastructure and providing expertise in implementing new infrastructure along with relevant changes in business processes, training, and software integration. Legacy systems are generally older transaction processing systems created for mainframe computers that continue to be used to avoid the high cost of replacing or redesigning them.

THE IT INFRASTRUCTURE ECOSYSTEM

There are seven major components that must be coordinated to provide the firm with a coherent IT infrastructure. Listed here are major technologies and suppliers for each

Other Questions
If g(x)=x^2+4x-5, find g(-4) PLEASE HELP Read the following situation, and answer the questions below:Raul is the CEO of clothing manufacturing company. The company has prided itself on being a Canadian owned, operated, and made company for many years. However, he hears that the government of the province where most of his factories are located is planning to introduce legislation that will significantly increase his costs. The first part of the legislation is a bill that puts stricter environmental requirements on the disposal of various chemicals such as dyes that his factories use. The second part of the legislation significantly increases the minimum wage of workers in the province.Raul is considering several options. One is to lobby against this legislation, trying to use his influence to prevent it from passing and becoming law. The second is to shut down his manufacturing operations in Canada, and move his factories to another country such as Thailand where the operating costs can be much cheaper due to the lack of environmental regulations and labor laws. The third option is to support the new legislation and use the increased environmental responsibility and workers rights as part of the companys Made in Canada brand image.Who are the stakeholders whose interests need to be considered, when choosing between these three options? /3From the point of view of environmental concerns, what would Michael Hoffman argue is the ethically right thing to do? Explain why, using details from the reading and lecture on Hoffman. /4Considering the stakeholders, what would Benjamin Powell and Matt Zwolinski argue is the ethically right thing to do? Explain why, using details from the reading and lecture on Powell and Zwolinski. /4 there are 18 girls and 22 boys in a class that has a letter the probability that the owner of the letter is a boy I need help with this assignment Rearrange 2x + 4 = 12y ( make x the subject ) calculate the number of hydrogen atoms that are in 5.23g of glucose Grade 11 Physics Help Not yet answered Marked out of 1.00 Flag question Which of the following is one of the three key questions to ask in order to create a productive agenda? Select one: O a. Who should be prepared to supply information? O b. What are the goals of the meeting? c. How long will the meeting take? d. Who should attend the meeting? e. What will be considered a successful meeting? The sum of a number and two is equal to negative seven. Translate this sentence to an equation and then find the number.59-9-5 5. Early in the day, light tends to be what color? (I poing)YellowBlueGreenRedIM TIMED NEEO HELP ASAP The radius of a circle is 3 miles. What is the circles area? In a galaxy far far away, Corellia and Nimidian Prime start with equal GDPs. The economy of Corellia grows at an annual rate of 6 percent, whereas the economy of Nimidian Prime grows at an annual rate of 4 percent. After 25 years, how much larger is Corellia's economy than Nimidian Prime's economy? Why is the answer not 50 percent? how do i solve this??? y=5x+7 x=8 How late to practice did William show up?an hourO half an houran hour and a half 1) Graph the parametric path using Slope-Direction diagram.The curve is x = t^2,y = (t - 1)(t^2 - 4), for t, in [-3,3]2) Find the length of the pay over the given interval.(2cost - cost2t, 2sint - sin2t), 0 t /2Please give step-by-step. Can someone please tell me what the primary colors are again?I forgot Discuss how new technologies are likely to impact training inthe future? Don't forget to include the impact of Covid 19 ontraining. Really need help on this!!! A forensic scienetist uses the function G(f)=2. 57f+47. 29 and H9t)=2. 74t+61. 27 to find the height of the woman Robertson Inc. prepares its financial statements according to International Financial Reporting Standards (IFRS). At the end of its 2021 fiscal year, the company chooses to revalue its equipment. The equipment cost $540,000, had accumulated depreciation of $240,000 at the end of the year after recording annual depreciation, and had a fair value of $330,000. After the revaluation, the accumulated depreciation account will have a balance of: