In an earlier assignment you modeled an inheritance hierarchy for dog and cat pets. You can reuse the code for that hierarchy in this assignment. Write a program that prompts the user to enter data (name, weight, age) for several Dog and Cat objects and stores the objects in an array list. The program should display the attributes for each object in the list, and then calculate and display the average age of all pets in the list using a method as indicated below:
public static double calculateAverage( ArrayList list )
{
... provide missing code ...
}
previous code
chihuahua
public class Chihuahua extends Dog
{
public void bark()
{
System.out.println("Bow wow");
}
}
dog
public class Dog
{
private String name;
private double weight;
private int age;
public String getname(String n)
{
name = n;
return n;
}
public double getweight(double w)
{
weight = w;
return w;
}
public int getage(int a)
{
age = a;
return a;
}
public void bark()
{
}
}
import java.util.Scanner;
public class DogCatTest
{
public static void main( String [] args)
{
Scanner scan = new Scanner(System.in);
System.out.println("Enter name");
String name = scan.nextLine();
System.out.println("Enter weight");
double weight = scan.nextDouble();
System.out.println("Enter age");
int age = scan.nextInt();
Dog [] dogCollection = { new Chihuahua(), new GoldenRetriever()};
for( int i = 0; i < dogCollection.length; i++ )
dogCollection[ i ].getname(name);
System.out.println(name);
for( int i = 0; i < dogCollection.length; i++ )
dogCollection[ i ].getweight(weight);
System.out.println(weight);
for( int i = 0; i < dogCollection.length; i++ )
dogCollection[ i ].getage(age);
System.out.println(age);
for( int i = 0; i < dogCollection.length; i++ )
dogCollection[ i ].bark();
System.out.println("Enter name");
String cname = scan.nextLine();
System.out.println("Enter weight");
double cweight = scan.nextDouble();
System.out.println("Enter age");
int cage = scan.nextInt();
Cat1 [] catCollection = { new SiameseCat(), new SiberianCat() };
for( int i = 0; i < catCollection.length; i++ )
catCollection[ i ].getname(cname);
System.out.println(cname);
for( int i = 0; i < catCollection.length; i++ )
catCollection[ i ].getweight(cweight);
System.out.println(cweight);
for( int i = 0; i < catCollection.length; i++ )
catCollection[ i ].getage(cage);
System.out.println(cage);
for( int i = 0; i < catCollection.length; i++ )
catCollection[ i ].meow();
}
}
public class GoldenRetriever extends Dog
{
public void bark()
{
System.out.println("Bow wow");
}
}
public class SiameseCat extends Cat1
{
public void meow()
{
System.out.println("Meow");
}
}
public class SiberianCat extends Cat1
{
public void meow()
{
System.out.println("Meow");
}
}
public class Cat1
{
private String name;
private double weight;
private int age;
public String getname(String n)
{
name = n;
return n;
}
public double getweight(double w)
{
weight = w;
return w;
}
public int getage(int a)
{
age = a;
return a;
}
public void meow()
{
}
}

Answers

Answer 1

Java program that shows the use of inheritance hierarchy, the code reuses the attributes of the class objects.

Importance of applying inheritance:

In this case of pets (dogs and cats), applying inheritance allows a much shorter and more structured code. Also, reusable since we can add classes of other pets such as birds, rabbits, etc., all of them also belonging to the Pet superclass.

Reserved words in a java code that enforces inheritance:

extendsprotectedSuper

Here is an example:

Java code

import java. io.*;

import java.util.ArrayList;

import java.io.BufferedReader;

public class Main

{

// ArrayList of Pet objets

 public static ArrayList < Pets > arraypets = new ArrayList < Pets > ();

 public static void main (String args[]) throws IOException

 {

   BufferedReader data =

     new BufferedReader (new InputStreamReader (System. in));

   //Define variables

   String aws;

   String str;

   double w;

   String n;

   int a;

   double average;

   do

     {

//Data entry System.out.println ("Pet species? ");

System.out.println ("(1) Cat ");

System.out.println ("(2) Dog ");

aws = data.readLine ();

System.out.print ("Enter name: ");

n = data.readLine ();

System.out.print ("Enter weight: ");

str = data.readLine ();

w = Double.valueOf (str);

System.out.print ("Enter age: ");

str = data.readLine ();

a = Integer.valueOf (str);

if (aws.equals ("1"))

  {

    Cat cat = new Cat (n, w, a);

      arraypets.add (cat);

      average = cat.averageAges (a);

  }

else

  {

    Dog dog = new Dog (n, w, a);

      arraypets.add (dog);

      average = dog.averageAges (a);

  }

System.out.print ("Enter more data? (y/n)");

aws = data.readLine ();

aws = aws.toLowerCase ();

     }

   while (!aws.equals ("n"));

//Calculate average of pets age

   average = average / arraypets.size ();

   average = Math.round (average * 100.0) / 100.0;

// Output

   System.out.println ("Attributes for each object in the list: ");

 for (Pets arraypet:arraypets)

     {

System.out.println (arraypet);

     }

   System.out.println ("Number of pets: " + arraypets.size ());

   System.out.println ("Average age of all pets in the list: " + average);

 }

}

class Pets

{

 protected String Name;

 protected double Weight;

 protected int Age;

 public Pets ()

 {

 }

 public Pets (String name, double weight, int age)

 {

   this.Name = name;

   this.Weight = weight;

   this.Age = age;

 }

 //Returning values formatted by tostring method

 public String toString ()

 {

   return "Nombre: " + this.Name + ", Peso: " + this.Weight + ", Edad: " +

     this.Age;

 }

 public void CalculateAverage ()

 {

 }

}

class Dog extends Pets

{

 public Dog ()

 {

   super ();

 }

 public Dog (String name, double weight, int age)

 {

   super (name, weight, age);

 }

//Adding the ages of the pets  double averageAges (double a)

 {

   a += a;

   return a;

 }

}

class Cat extends Pets

{

 public Cat ()

 {

   super ();

 }

 public Cat (String name, double weight, int age)

 {

   super (name, weight, age);

 }

//Adding the ages of the pets

 double averageAges (double a)

 {

   a += a;

   return a;

 }

}

To learn more about inheritance hierarchy in java see: https://brainly.com/question/15700365

#SPJ4

In An Earlier Assignment You Modeled An Inheritance Hierarchy For Dog And Cat Pets. You Can Reuse The
In An Earlier Assignment You Modeled An Inheritance Hierarchy For Dog And Cat Pets. You Can Reuse The
In An Earlier Assignment You Modeled An Inheritance Hierarchy For Dog And Cat Pets. You Can Reuse The

Related Questions

You would like to implement the rule of thirds to present high-resolution images in an IT scrapbook. The scrapbook includes images of computer and other IT devices. How can you do this for the scrapbook

Answers

To exhibit high-resolution images, photographers can apply the rule of thirds by positioning the image's component parts along the intersecting lines.

How is the rule of thirds applied?

In order to create a nice composition, the Rule of Thirds positions your topic in the left- or right-third of the frame. Align your main subject and other frame components along these points to produce a balanced, or aesthetically engaging, image. Each intersection point represents a possible focus of interest.

How should the rule of thirds be used when capturing pictures?

According to the rule of thirds, your subject should be in the left or right third of your image, leaving the other two thirds more open. Although there are alternative compositional methods, the rule of thirds usually results in interesting and well-composed pictures.

To know more about resolution visit:-

https://brainly.com/question/12724719

#SPJ4

Question:

Select the correct answer from each drop-down menu.

You would like to implement the rule of thirds to present high-resolution images in an IT scrapbook. The scrapbook includes images of computer

and other IT devices. How can you do this for the scrapbook?

You can implement the rule of thirds by placing the

part of the image along the

lines.

Reset

Next

central

intersecting

margin

___ requires a password when connecting to your router and makes your wireless transmissions unreadable by hackers

Answers

Wi-Fi encryption (such as WPA2 or WPA3) requires a password when connecting to your router and makes your wireless transmissions unreadable by hackers. Wi-Fi encryption is a method of securing wireless communications by encoding the data being transmitted over the airwaves.

This encoding makes it difficult for anyone who intercepts the data to read or understand it. The two most common forms of Wi-Fi encryption are WPA2 (Wi-Fi Protected Access 2) and WPA3. WPA2 uses a process called Temporal Key Integrity Protocol (TKIP) to encrypt the data. TKIP generates a unique encryption key for each packet of data that is sent, making it difficult for hackers to crack the encryption.

WPA3 is the latest version of Wi-Fi encryption. It is more secure than WPA2, and it uses a process called Simultaneous Authentication of Equals (SAE) to encrypt the data.

Learn more about WPA2 here https://brainly.com/question/29588370

#SPJ4

- What is the function of these 3 types of application software
Word Processing
Spreadsheet
Database

Answers

A word processor is a computer application used to write and edit documents, arrange the text's layout, and preview the printed version on a computer screen.

What purpose does spreadsheet software serve?

A spreadsheet is a piece of software that you can use to quickly execute mathematical operations on statistical data, add up many columns of numbers, or calculate averages and percentages.

What use does database software serve?

Users of database software can centrally manage, store, access, and save data. Additionally, it makes it simple for users to control who has access to the database and what permissions they have, protecting the data.

To learn more about software visit:

brainly.com/question/985406

#SPJ1

true or false : a file must always be opened before using it and closed when the program is finished using it.

Answers

Answer:

I would say true. afile must be opened before using it

NEED HELP ASAP PLEASE. I NEED AN EXAMPLE ON HOW TO DO THIS RIGHT.


The second programming project involves writing a program that computes the sales tax for a collection of automobiles of different types. This program consists of four classes. The first class is the Automobile class, which contains the automobile’s make and model, and purchase price, which is specified in whole dollars. It should have three methods:


1. A constructor that allows the make and purchase price to be initialized.


2. A method named salesTax that returns the base sales tax computed as 5% of the sales price.


3. A toString method that returns a string containing the make and model of the automobile, the sales price, and the sales tax, appropriately labeled

Answers

The Automobile class has two subclasses. The first is Electric. A second instance variable of it stores its weight in pounds as an integer and is available.

How does the automobile program write?

The Automobile class has two subclasses.  It should have the same three methods: 1. A constructor that allows the automobile’s make and model, purchase price, and weight to be initialized.  2. A sales tax override technique that returns the entire sales tax. The sales tax for an electric automobile consists of the base sales tax of 5% which applies to all automobiles minus a discount. The discount is $200 if the weight is less than 3000 pounds. If not, the price is $150. 3. An overridden to String method that returns a string containing the make and model of the automobile, the sales price, sales tax, and the weight, appropriately labeled.

To learn more about automobiles here:

brainly.com/question/28164577

#SPJ4

Select the correct answer. Which item refers to an illusion of figures and shapes in motion, which we commonly see in movies and video games

Answers

(Option A) Animation is an illusion of figures and shapes in motion, which is often seen in movies and video games.

The Wonders of Animation

Animation is a form of art that creates the illusion of motion by rapidly displaying a sequence of static images. It is an incredibly versatile technique and is used in a variety of mediums, including:

MoviesTelevision showsVideo gamesCommercials

Animation has been around for centuries, but with the development of computer technology, it has become much easier to create and manipulate. Animation involves a lot of creativity, as the artist must create believable characters and scenes that move in a believable way.

Since the question is not complete, here's the right answer:

Select the correct answer. Which item refers to an illusion of figures and shapes in motion, which we commonly see in movies and video games?

Choose the right option:

A) AnimationB) CGIC) Motion GraphicsD) Kinetic Typography

Learn more about animation: https://brainly.com/question/25109803

#SPJ4

30 points and brainiest Which certifications are offered in Family Consumer Science? (Select 2) Select 2 correct answer(s)
Question 2 options:

Community Health Worker

Early Childhood Education

Food Handler's

Counseling

Answers

The certifications are offered in Family Consumer Science are option B and C:

Early Childhood EducationFood Handler's

What is the certifications  about?

Family Consumer Science is a field that focuses on the study of how families interact with the broader community and economy. Some of the certifications offered in Family Consumer Science include:

Early Childhood Education: This certification is designed for individuals who wish to work with young children, typically from birth to age 8, in settings such as preschools, daycare centers, and primary schools. It covers topics such as child development, teaching methods, and classroom management.

Therefore, in Food Service Management: this certification is designed for individuals who wish to work in the food service industry, such as managing and supervising food service operations in schools, hospitals, restaurants and other food service facilities.

Learn more about certifications   from

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

Parker has an Android smartphone. Which type of processor is used in his mobile device?
a. x86
b. Intel Atom
c. ARM
d. None of these answers

Answers

Parker owns an Android phone. His mobile device has an ARM-type processor.

The definition of CPU clock rate?

Every second, a large number of instructions (low-level computations like arithmetic) from various programs are processed by your CPU. The clock speed, expressed in GHz, reveals how many cycles your CPU performs per second (gigahertz).

How is RAM used?

Random-access memory is referred to as RAM. Data is generally saved in your computer's RAM, or short-term memory, as the processor need it. Contrast this with long-term data stored on your hard disk, which is still accessible even after your computer has been switched off.

To know more about ARM visit :-

https://brainly.com/question/24117933

#SPJ1

Which of the following is not a characteristic of first generation computers? They were not programmable. They were either electronic or electromechanical. They were either binary or decimal. The earliest models were not general-purpose computers.

Answers

The earliest models were not general-purpose computers. The first generation computers, which emerged in the late 1940s and 1950s, were built using vacuum tubes, which were large, power-hungry, and unreliable.

The first generation computers were not general-purpose computers, which means they were designed for a specific task or set of tasks and were not capable of being reprogrammed to perform other tasks. They were typically used for scientific, military, or business applications, and were often large, expensive, and difficult to maintain. This is in contrast to general-purpose computers, which are designed to be flexible and can be programmed to perform a wide range of tasks.

Learn more about computer, here https://brainly.com/question/30087462

#SPJ4

On closed-source operating systems, hot fixes for software bugs are deployed very quickly.​ true or false

Answers

The correct answer of this statement "On closed-source operating systems, hot fixes for software bugs are deployed very quickly" is False.

What is an operating system in a computer?

The most essential software component that operates on a computer is the os. It controls the memories, functions, software, & hardware of a computer. You can converse with computer to use this method although if you don't recognize its language.

What do operating systems primarily do?

Essential features for controlling devices linked to a computer are provided by operating systems. These processes include managing storage systems, processing output and input requests, and allocating memory. A keyboard, mouse, printers, or any other connected device could be this one.

To know more about operating system visit :

https://brainly.com/question/24760752

#SPJ4

Which BEST describes a third-generation computer? A. the CPU was used for the first time, computers could be owned by the general public, and a GUI was used B. used operating systems, keyboards, and monitors for the first time, and integrated circuits were used to supply electricity C. used artificial intelligence so that the computers become reasonably intelligent all on their own D. high-level programming languages, magnetic tape and disks for storage, and used small transistors to supply electricity

Answers

THIRD - GENERATION COMPUTER

C. used artificial intelligence so that the computers become reasonably intelligent all on their own

Third-generation computers were developed in the 1960s and marked a significant advancement in the development of computers. They were the first computers to use integrated circuits, which allowed for smaller and more powerful computers. Third-generation computers also featured the development of high-level programming languages, such as COBOL and FORTRAN, which made it easier for programmers to write and understand code. These computers also used magnetic tape and disks for storage, which were much more efficient than the punched cards used in earlier computers. Third-generation computers made use of artificial intelligence, which allowed them to perform tasks that required some level of independent thought and decision-making.

Hope This Helps You!

Which of the following is a typical example of a system requirement for the process category?
a. The website must report online volume statistics every four hours and hourly during peak periods.
b. ​The system must be operated seven days a week, 365 days a year.
c. ​The equipment rental system must not execute new rental transactions for customers who have overdue accounts.
d. All transactions must have audit trails.

Answers

A common illustration of a system requirement for the process category is that the equipment rental system must not carry out new rental transactions for clients who have past-due accounts.

Which of the following represents a typical illustration of a system need for the performance category?

System need for the performance category typical example: Identify. Five hours following the conclusion of registration, the student records system must deliver class lists.

Which step is involved in proving that the requirements define the system the customer actually wants?

By proving that the requirements define the system the customer actually wants, requirements validation aims to satisfy this need. Given the high costs associated with requirements errors, validation is crucial.

To know more about process category visit :-

https://brainly.com/question/29358745

#SPJ4

There are 4 types of computers: supercomputers, ________ computers, mid-range computers, and personal computers. (hint: m_____e)

Answers

There are four different categories of computers: mainframe computer, personal, mid-range, and supercomputers.

How do mainframe computers work?

Mainframes are fundamentally high-performance computers with a sizable quantity of memory and processors that can instantly process billions of basic calculations and transactions.

Are there still mainframe computers?

Many tech experts anticipated the demise of the mainframe sooner rather than later with the introduction of new technologies like the cloud and inexpensive x86 commodity servers. But it is not at all the case. The old mainframe is still useful for many businesses worldwide in 2021, in reality.

To know more about mainframe computer visit :-

https://brainly.com/question/14191803

#SPJ4

Authorized holders must meet the requirements to access ____________ in accordance with a lawful government purpose: Activity, Mission, Function, Operation, and Endeavor. Select all that apply.

Answers

Authorized holders must meet the requirements to access Operation in accordance with a lawful government purpose. An authorized person can be meant as a person approved or assigned by the employer to perform a specific type of duty or to be at a specific location at the jobsite.

The five items listed (Activity, Mission, Function, Operation, and Endeavor) are all different types of tasks or projects that the government may conduct, and access to them is restricted to authorized individuals who meet the necessary requirements. All of the five items are included in the sentence and are being referred as the things that authorized holders must meet the requirements to access, therefore all of them apply.

Learn more about Authorized here, https://brainly.com/question/30101679

#SPJ4

A user notices the system clock is changed every morning. The computer is shut down daily. A technician checks the time zone and finds it is correct, and then checks the BIOS settings and finds the time to be incorrect. Which of the following is MOST likely the problem

Answers

The CMOS battery does not have a charge. Your laptop's BIOS firmware, which is in charge of starting up your computer and configuring data flow, is powered by the CMOS battery.

What is CMOS battery ?The BIOS firmware in your laptop, which is in charge of initiating the boot process and establishing data flow, is powered by the CMOS battery. When your laptop has trouble starting up, drivers start to disappear, or your laptop's date and time are off, your CMOS battery has likely failed.Even when your computer is not plugged into a power source, BIOS must continue to function. The battery enters the picture here. The CMOS battery supplies power to BIOS when your computer is unplugged.Both laptops and desktop computers use CMOS batteries, although laptops use them more frequently. That's because desktop computers are frequently left unplugged for shorter periods of time than laptops. The majority of desktop computers are rarely removed from their power source.

To learn more about CMOS battery refer :

https://brainly.com/question/14767803

#SPJ4

Which of these groups is not related to security and cannot have permissions assigned to it?
a. Universal groups
b. Global groups
c. Domain local groups
d. Distribution groups

Answers

The correct Option is (D), Distribution groups is not related to security and cannot have permissions assigned to it.

What are the contents of domain local groups?

Users, computers, global groups, universal groups, domain local organizations within the same domain, as well as groups from every trusted domain inside the forest, may be included. It may belong to any local domain group within the same domain.

What distinguishes global from domain local groups?

User accounts, global groups, and universal groups from any domain could be added to a domain local group, which is how domain local groups vary from global groups. However, due to its constrained scope, members can only be given permissions inside the domain where this group is located.

To know more about Domain local groups visit :

https://brainly.com/question/28257595

#SPJ4

a firewall cannot be deployed as a separate network containing a number of supporting devices. true or false

Answers

This claim is untrue; a firewall cannot be installed as a standalone network with a variety of auxiliary hardware.

What kind of proxy access should be used to prevent HTTP traffic from internal networks when web services are provided outside the firewall?

When Web services are provided outside the firewall, HTTP traffic from inside networks should be restricted using a proxy access method or DMZ architecture. All data that cannot be verified as authentic should be denied according to good firewall rules. By protocol name, certain firewalls can filter packets.

Which of the subsequent best sums up a firewall?

Incoming and outgoing network traffic is managed by a combination of hardware and software.

To know more about standalone network  visit :-

https://brainly.com/question/29809789

#SPJ4

To represent​ relationships, ________ are added to tables.
A. locking keys
B. value keys
C. entity keys
D. normalized keys
E. foreign keys

Answers

foreign keys, Tables are enhanced with foreign keys to represent relationships.

What does "foreign key" mean?

A row or columns of information in one table that relate to the distinct data values, frequently the primary key data, in another table are said to be "foreign keys." In a relational database, foreign keys link between two or more tables.

How do primary keys and foreign keys differ?

A main key typically emphasizes the table's uniqueness. It guarantees that the value in that particular column is distinct. Typically, a foreign key is utilized to establish a connection among the two tables.

To know more about foreign key visit :

https://brainly.com/question/15177769

SPJ4

You cannot install a driver on a 64-bit version of Windows when which of the following is true?
O The Devices and Printers folder
O It removes a system's name and SID.
O The driver lacks a digital certificate.
O You should roll back the driver.

Answers

A driver cannot be installed on a 64-bit version of Windows if it is missing a digital certificate.

On Windows 10 64-bit, how do I install drivers?

Click Device Manager after entering "device management" into the taskbar's search box. Select a category, then right-click (or press and hold) the item you want to alter to see the names of the devices.

How can I install 32-bit drivers on Windows 10's 64-bit platform?

On 64-bit OSs, 32-bit drivers cannot be installed. In order to print to it, your only practical choice would be to use a virtual machine or a vintage PC running 32-bit XP. If it really only has an INF file, it suggests that the device is actually using a generic "printer" driver.

To know more about Device Manager visit:-

https://brainly.com/question/11599959

#SPJ4

Which of the following can be used to roll back a faulty printer driver?
a. Print Management Console
b. Device Manager
c. Activity Center
d. Rollback.exe

Answers

You can restore a broken printer driver using Device Manager of the following.

Which of the following choices will make it easiest for you to restore your computer to its prior state in the event that the new driver is incorrect?

You are able to roll back a driver so that the old version is used in place of the new one. Device Manager is a tool that you can use to roll back a driver.

A driver package contains what exactly?

For your device to be supported by Windows, you must provide a driver package that contains all the necessary software parts. In a driver bundle, you'll often find the following items: an INF file. the catalog file.

To know more about Device Manager visit :-

https://brainly.com/question/11599959

#SPJ4

"Based upon the contents of the PUBLISHER table, which of the following is a valid SQL statement?" a. SELECT contact Contact's Name FROM publisher; b. SELECT publisherID FROM publisher; c. "SELECT contact, name FROM publisher;" d. SELECT name FROM publishers;

Answers

Based upon the contents of the PUBLISHER table, SELECT contact, name\sFROM publisher is a valid SQL statement.

Describe SQL.

The domain-specific programming language known as SQL is used for managing data stored in relational database management systems or for stream processing in related data stream management systems.

Is SQL easy or Python?

Python is more difficult to learn than SQL, for sure. Its very simple syntax serves only to facilitate communication with relational databases. Since relational databases contain a substantial amount of data, the initial stage in each data analysis project is frequently retrieving data via SQL queries.

To know more about SQL visit :

https://brainly.com/question/13068613

#SPJ4

Which term is used to describe the overall structure the OS uses to name, store, and organize files on a drive

Answers

The term 'File System' is used to describe the overall structure the operating system uses to name, organize, and  store files on a drive

An integral part of an operating system (OS) is known as a File System. A File System is a data structure that name, organize, and store data and information on storage devices ( such as hard drives, floppy disc, etc.), making them retrievable easily. FaT32 and NTFS are examples of file systems of operating systems. Different operating systems use different file systems, but all have similar features. Microsoft Windows is always installed on a disk volume that uses the NTFS file system.

Thus, the overall structure that an operating system uses to name, organize, and store files on a disk is called File System.

You can learn more about operating system at

https://brainly.com/question/22811693

#SPJ4

One of the main reasons for copyright law is to encourage creators to share their work for the benefit of the general public.

Answers

To encourage creators to share their work for the benefit of the broader public is one of the primary goals of copyright law. Any person may use any piece of work that is in the public domain.

What does the Copyright Law's primary goal?

The ownership, use, and dissemination of artistic and expressive works are regulated by copyright laws. People believe that the majority of creators produce their creative works in order to get compensated in this economic story regarding copyright.

What does copyright law say about a work that is normally covered by copyright?

According to American copyright law, copyright owners have the following exclusive rights: Make copies or phonorecords of the work. Create works based on the original work. distribute phonorecords or copies of the material.

To know more about copyright law visit:-

https://brainly.com/question/29738132

#SPJ4

how does data help with poverty?

Answers

Answer: Data can help with poverty in a number of ways. For example, data can be used to identify patterns and trends related to poverty, which can inform policy decisions and help policymakers target resources more effectively. Data can also be used to evaluate the effectiveness of poverty reduction programs, allowing governments and organizations to make adjustments and improvements as needed. Additionally, data can be used to better understand the factors that contribute to poverty and design interventions to address those root causes.

An isolated equipment grounding receptacle is installed using a rigid nonmetallic conduit and a metal device box. Two 12 AWG conductors enter the box and are spliced to two 12 AWG conductors leaving the box and to two pigtails, which feed the receptacle. The 12 AWG isolated equipment ground has a pigtail splice for the receptacle and continues through the box. A bare 12 AWG equipment grounding conductor enters the box, connects to the box grounding screw, and continues on through the box. Determine the minimum size metal device box for this installation.

Answers

The minimum size metal device box for this installation 3 x 2 x 3 1/2 device box.

What amount of cubic inches of room is needed to instal one no. 12 AWG conductor in a box or conduit fitting?A 2.25 cubic inch, each conductor with a gauge of 12 AWG needs 2.25 cubic inches of space. Both the two white and the two black 12 AWG wires must be counted. The two green equipment-grounding conductors are treated as a single 12 AWG conductor in accordance with 314.16(B)(5).Both the equipment grounding conductor and the grounded circuit conductor must be extended to the second building.Box-fill estimates do not take into account minor fittings like bushings, wire connections, and locknuts. A single count is required for each conductor with an outside-the-box origin that is terminated or spliced inside the box.

To learn more about 12 AWG conductor refer to:

https://brainly.com/question/6531988

#SPJ4

A group of users is installing an application on a laptop computer and encounters a problem. No
documentation was attached while downloading the application; only the installation file is
available. They believe that they have done something wrong. What is the first thing that they
should look for a possible solution to their problem? (1 point)
O runbook
O README
O comments
O frequently asked questions

Answers

Only the installation file is provided if no documentation was downloaded with the application. They ought to search the commonly asked questions for a potential answer.

How to repair Your computer's linked device and Windows have a communication issue?

This error can be brought on by failing hardware, such as a hard disc or CD-ROM drive, or by unplugging a removable storage device such an external USB drive while it is in use. Restart your computer after making sure all removable storage is securely attached.

What safety measures must to be taken when utilizing various computer software applications?

The following safety measures should be followed when utilizing various computer software types:

1. Avoid utilizing too many software programs at once when using them. Your computer will slow down if you don't.

2. Keep the data in tabular form while using Excel. Likewise, insert the information in order.

To learn more about software installation visit:

brainly.com/question/20325490

#SPJ1

Ben has to type a long letter to his friend. What is the correct keying technique that Ben should use

Answers

Using rapid, snappy strokes is the proper keystroke technique. The body should be sufficiently upright in front of the keyboard for proper keyboarding posture.

Why is accurate keying so crucial?

Your general health will benefit from touch typing as well. It stops you from hunching over your keyboard in order to find the proper keys. Instead, you maintain eye contact with the screen in front of you. Correct typing encourages excellent posture and helps to avoid back or neck pain.

What is an example of a keystroke?

The pressing of a single key on a keyboard, whether real or virtual, or on any other input device is referred to as a keystroke. In other words, a single key push is regarded as a keystroke.

To know more about proper keystroke technique visit :-

https://brainly.com/question/29808656

#SPJ4

to store a date value without storing a time value, you can use the

Answers

Utilize the date data type if you only want to record a date value without a time value.

What of the following data types is used to hold full numbers?

INVERT data type, The INTEGER data type can hold whole values with a precision of 9 or 10 digits that fall between -2,147,483,647 and 2,147,483,647.

Which of the following data types resembles numeric but only contains whole numbers?

With or without a decimal mark, integer data types can store full values. Integer (which means whole in Latin) As integer data types, ANSI SQL specifies SMALLINT, INTEGER, and BIGINT. The size of the number that each type can store makes a distinction between them.

To know more about time value visit :-

https://brainly.com/question/28465900

#SPJ4

Software designed specifically for a highly specialized industry is called ____.
O Horizontal market software
O Mass-market software
O Vertical market software
O Industry standard software

Answers

Vertical market software is specifically created for a highly specialized industry.

Software for vertical markets: What is it?

Software designed for a particular industry, set of applications, or customer is known as vertical market software. This is distinct from software for the horizontal market, which can be used across numerous industries.

Who employs software for vertical markets?

Software created for specialized applications or for a particular clientele is therefore referred to as vertical market software. Because they are only used by a particular set of people, banking, investment, and real estate software packages are all examples of vertical market software applications.

To know more about Vertical market software visit :-

https://brainly.com/question/29992362

#SPJ4

Which local folder temporarily stores all sent mails until they are successfully sent to a recipient

Answers

Answer:

The outbox stores all outgoing emails until the Email programs sends them to a recipient.A computer or phone's outbox is a folder where emails that are awaiting sending are kept

Explanation:

Other Questions
Which of the following is a true statement regarding photoreceptors? Check all that apply a. Rods are responsible for night vision. b. Rods are associated with photopic vision. c. Cones are associated with color vision. d. There are more cones than rods e. Cones function in brighter light. *A RAISIN IN THE SUN*Choose a line from the play that includes an example of characterization. Remember, since the play is made up mostly of dialogue, the example of characterization can include multiple characters speaking. Look at how a character says something, how the character acts, and the character's relationships.Identify the line number(s), and then explain, in at least one complete, four- to six-sentence paragraph, who this line is characterizing, how it does so, and how you end up feeling about or viewing the character differently as a result. in 2016, humans produced 29 billion tonnes of carbon dioxide. this is set to grow by around 40% by the year 2035. how many tonnes of carbon dioxide will be produced by humans in 2035? give your answer in standard formwill give the answers brainliest can someone help me please Find each product. (Please help me on this-i will give you brainlist!) Building blocks are in the shape of a cube. The dimensions of the building blocks are based on the length of the packaging box, which is defined as [tex]\frac{1}{12} x^{2}[/tex] centimeters, where x is the length of the packaging box. What is the volume of a building block in terms of x?ily whoever answers right -7x+y=-19 In standard form Nursing students are studying metabolic disorders of the skeletal system and correctly identify which factor to be the major cause of osteoporosis Solve for m/IGH if m/FGH = 141 and m/FGI = 72.FAnswer: m/IGH =OGSubmit AnswerHattempt 1 out of 2/ problem 1 out preparing to begin chest compressions on an infant the nurse should perform compressions using which What are the two houses of parliament which House is more powerful and why? WILL GIVE BRAINLIEST!Conduct short Internet research for classical and modern interpretations of Hamlet. After watching pieces of these productions, what similarities do you find between the two portrayals of Hamlet? What differences did you see? Which performance did you prefer? Why? Please write at least two paragraphs (at least 300 words total) that explain your observations. Practice using the appropriate transitions between the paragraphs. You should cite all sources according to MLA format. Click here to view the MLA Style Guide. 60 points!What is the average time for the toy car to move 1.0 m on dirt?21.2 s22.4 s23.1 s63.7 s M/5 + 9=11Solve two step equations What was the population of Virginia in 1790? PLEASE BE FASTFind the constant of proportionality for the proportional relationship shown in the graph.graph of a line going through 0 comma 0 and one half comma 5 p = 10 p = 5 p = 0.5 p = 0.1 the scale on a map is 1:5000000two towns are 7cm apart on the map work out the actual distance between the towns HELP ME PLEASE W/QUESTION The Question How are places similarand different refers to? origin encountered an issue loading this page. please try reloading it if that doesnt work, restart the client or try again later. I have reinstalled it multiple times, but still have same issue. Any solution?