Create a new Java project/class called Examine1. Prompt user as to how many numbers they would like to enter. Use a cumulative sum loop to read in and sum that many numbers. Once all numbers entered, program should print out the sum total and average of those numbers entered by the user. Use the printf command to format. Paste code.

Answers

Answer 1

Answer:

Explanation:

The following code is written in Java and like requested prompts the user for a number to continue or a letter to exit. Then loops and keeps adding all of the numbers to the sum variable and adding 1 to the count for each number entered. Finally, it prints the sum and the average using printf and the variables.

import java.util.Scanner;

class Examine1 {

   public static void main(String[] args) {

       Scanner in = new Scanner(System.in);

       int sum = 0;

       int count = 0;

       System.out.println("Enter a number to continue or a letter to exit.");

       while(in.hasNextInt()) {

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

           sum += in.nextInt();

           count += 1;

       }

       System.out.printf("The sum is %s.%n", sum);

       System.out.printf("The average is %s.", (sum / count));

   }

}

Create A New Java Project/class Called Examine1. Prompt User As To How Many Numbers They Would Like To

Related Questions

Help me please! No link or I’ll report you

Answers

Answer:

4

Explanation:

Black -> Yellow -> Counter = 1 -> Yellow -> Counter = 2 -> Green -> Counter = 3 -> Red -> Counter 4 -> END

Hence, the counter is 4.

Use the drop-down menus to complete the steps to create a report with the Report button. 1. In the Navigation pane, select the table from which to create the report. 2. Click the tab. 3. In the group, click Report. 4. Microsoft Access creates a form using . 5. Open the report in view. 6. Modify the report. 7. Save the report.

Answers

Answer:

Click the  

✔ Create

tab.

3. In the  

✔ Reports

group, click Report.

4. Microsoft Access creates a form using  

✔ all of the columns in the table

.

5. Open the report in  

✔ Design

view.

6. Modify the report.

Explanation:

just took it

You are on a team of developers writing a new teacher tool. The students names are stored in a 2D array called “seatingChart”. As part of the tool, a teacher can enter a list of names and the tool well return the number of students in the class found with names that matching provided list. For this problem you will be completing the ClassRoom class in the problem below. Your job is to complete the numberOfStudents found method. This method accepts an array of Strings that contain names and returns the quantity of students with those names. For example:
Assume that a ClassRoom object named “computerScience” has been constructed and the seating chart contains the following names:


“Clarence”, “Florence”, “Ora”


“Bessie”, “Mabel”, “Milton”


“Ora”, “Cornelius”, “Adam”


When the following code executes:


String[] names = {"Clarence", "Ora", "Mr. Underwood"};

int namesFound = computerScience.numberOfStudents(names);

The contents of namesFound is 3 because Clarence is found once, Ora is found twice, and Mr. Underwood is not found at all. The total found would be 3.


Complete the numberOfStudents method

public class ClassRoom

{


private String[][] seatingChart;


//initializes the ClassRoom field seatingChart

public ClassRoom(String[][] s){

seatingChart = s;

}



//Precondition: the array of names will contain at least 1 name that may or may not be in the list

// the seating chart will be populated

//Postcondition: the method returns the number of names found in the seating chart



//TODO: Write the numberOfStudents method


public int numberOfStudents(String[] names){





}


public static void main(String[] args)

{

//DO NOT ENTER CODE HERE

//CHECK THE ACTUAL COLUMN FOR YOUR OUTPUT

System.out.println("Look in the Actual Column to see your results");

}

}

Answers

Answer:

Wait what? Some of the words are mashed together...

who wants some?

Da free POOIIIINNTTTSSSSS

Answers

Answer:

Oh thanks jeez!!!!!!!!

what is cyber ethics​

Answers

Answer:

cyber ethics​

Explanation:

code of responsible behavior on the Internet. Just as we are taught to act responsibly in everyday life with lessons such as "Don't take what doesn't belong to you" and "Do not harm others," we must act responsibly in the cyber world.

The table shows the number of points Ramon has earned on science quizzes. Quiz 16 points Quiz 2 9 points Quiz 3 1 point Quiz 4 9 points Quiz 5 8 points Quiz 6 3 points What is the median number of points Ramon has earned? A. 6 В. 7 O C 8​

Answers

Answer:9

Explanation:d.9

Explain 5G so the public can understand what it is

Answers

Answer:

5G is the next-generation of mobile networking. It's faster than 4G and LTE.

Explanation:

Right now, 5G is inaccessible or demonstrate poor quality in many areas around the world, even in big cities like NYC and San Francisco. In the future, 5G will be available on your mobile phone and you'll be able to browse the internet, watch videos, download stuff up to 100 times faster than your current 4G or LTE connection.

Hope this helps.

As a casting director arranging for an audition, what sequence of events would you follow?
Give copies of the script to
the actors to rehearse.

Ask the actors to complete the form with their contact details.
Conduct the final audition.

Advertise the audition.

Answers

Answer:

1. Advertise the audition.  

The first step after breaking down the script is to advertise the audition so that interested actors and agents can send in resumes that can be picked from.

2. Ask the actors to complete the form with their contact details.

Actors should complete a form that would give you their contact details. This is how you will reach out to the characters you are interested in for auditions.

3. Give copies of the script to the actors to rehearse.

You should give copies of the script to actors that you feel will match the roles in the production after you contact them.

4. Conduct the final audition

There will be first auditions invloving various actors and there will be comebacks to ensure that the the characters can fit into the role. Finally there will be a final interview after which a character will be chosen.

mips Write a program that asks the user for an integer between 0 and 100 that represents a number of cents. Convert that number of cents to the equivalent number of quarters, dimes, nickels, and pennies. Then output the maximum number of quarters that will fit the amount, then the maximum number of dimes that will fit into what then remains, and so on.

Answers

Answer:

Explanation:

The following program was written in Java. It creates a representation of every coin and then asks the user for a number of cents. Finally, it goes dividing and calculating the remainder of the cents with every coin and saving those values into the local variables of the coins. Once that is all calculated it prints out the number of each coin that make up the cents.

import java.util.Scanner;

class changeCentsProgram {

         // Initialize Value of Each Coin

   final static int QUARTERS = 25;

   final static int DIMES = 10;

   final static int NICKELS = 5;

   public static void main (String[] args) {

       int cents, numQuarters,numDimes, numNickels, centsLeft;

       // prompt the user for cents

       Scanner in = new Scanner(System.in);

       System.out.println("Enter total number of cents (positive integer): ");

       cents = in.nextInt();

       System.out.println();

       // calculate total amount of quarter, dimes, nickels, and pennies in the change

       centsLeft = cents;

       numQuarters = cents/QUARTERS;

       centsLeft = centsLeft % QUARTERS;

       numDimes = centsLeft/DIMES;

       centsLeft = centsLeft % DIMES;

       numNickels = centsLeft/NICKELS;

       centsLeft = centsLeft % NICKELS;

       // display final amount of each coin.

       System.out.print("For your total cents of " + cents);

       System.out.println(" you have:");

       System.out.println("Quarters: " + numQuarters);

       System.out.println("Dimes: " + numDimes);

       System.out.println("Nickels: " + numNickels);

       System.out.println("Pennies: " + centsLeft);

       System.out.println();

   }

}

Which of these is NOT an example of lifelong learning?

A reading a trade magazing
B having lunch with a friend

C reviewing a textbook

Answers

Answer:

B. having lunch with a friend

Explanation:

Lifelong learning can be defined as a continuous, self-motivated, and self-initiated learning activity that is typically focused on personal or professional development. Thus, it's a form of education that is undertaken throughout life with the sole aim of pursuing knowledge, competencies, and skills for either personal or professional growth and development, especially after acquiring a formal education.

Some examples of lifelong learning includes the following;

I. Reading a trade magazine.

II. Reviewing a textbook.

III. Studying an encyclopedia.

what is astronaut favourite key on keyboard? ​

Answers

The space bar
Thanks for that today
Have a great day

The astronaut favorite key on keyboard ​ is Space-Bar.

What is space bar?

This is known to be a long  key that is seen at the lower part of a computer keyboard or typewriter used to type space.

Conclusively, to Space Key is known to be the Astronaut's Favorite Key on the Keyboard due to the fact that an Astronaut often travel to Space and work on satellites and as such they loves the space bar, more as it tells more about  the Outer Space.

Learn more about astronaut from

https://brainly.com/question/24496270

Consider a two-by-three integer array t: a). Write a statement that declares and creates t. b). Write a nested for statement that initializes each element of t to zero. c). Write a nested for statement that inputs the values for the elements of t from the user. d). Write a series of statements that determines and displays the smallest value in t. e). Write a series of statements that displays the contents of t in tabular format. List the column indices as headings across the top, and list the row indices at the left of each row.

Answers

Answer:

The program in C++ is as follows:

#include <iostream>

using namespace std;

int main(){

   int t[2][3];

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

       for(int j = 0;j<3;j++){

           t[i][i] = 0;        }    }

   

   cout<<"Enter array elements: ";

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

       for(int j = 0;j<3;j++){

           cin>>t[i][j];        }    }

   

   int small = t[0][0];

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

       for(int j = 0;j<3;j++){

           if(small>t[i][j]){small = t[i][j];}        }    }

   

   cout<<"Smallest: "<<small<<endl<<endl;

   

   cout<<" \t0\t1\t2"<<endl;

   cout<<" \t_\t_\t_"<<endl;

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

       cout<<i<<"|\t";

       for(int j = 0;j<3;j++){

           cout<<t[i][j]<<"\t";

       }

       cout<<endl;    }

   return 0;

}

Explanation:

See attachment for complete source file where comments are used to explain each line

Hide Time Remaining A
Suppose that the following statement is included in a program. import static
java.lang. Math.*; After this statement, a static method of the class Math can be called
using just the method name.
A. True
B. False

Answers

Answer:

True

Explanation:

The class Math include mathematical functions such as sin(), cos(), tan(), abs(), etc

If the given statement is not written, each of the math function will be written as (take for instance, the sin() function):

Math.sin()

But after the statement has been written (it implies that the Math library has been imported into the program) and as such each of the mathematical function can be used directly.

So instead of Math.sin(), you write sin()

Good information is characterized by certain properties. Explain how you understand these characteristtics of good information. Use examples to better explain your answer.​

Answers

Answer:

here is your ans

Explanation:

Characteristics of good quality information can be defined as an acronym ACCURATE. These characteristics are interrelated; focus on one automatically leads to focus on other.

Accurate

Information should be fair and free from bias. It should not have any arithmetical and grammatical errors. Information comes directly or in written form likely to be more reliable than it comes from indirectly (from hands to hands) or verbally which can be later retracted.

Complete

Accuracy of information is just not enough. It should also be complete which means facts and figures should not be missing or concealed. Telling the truth but not wholly is of no use.

Cost-beneficial

Information should be analysed for its benefits against the cost of obtaining it. It business context, it is not worthwhile to spend money on information that even cannot recover its costs leading to loss each time that information is obtained. In other contexts, such as hospitals it would be useful to get information even it has no financial benefits due to the nature of the business and expectations of society from it.

User-targeted

Information should be communicated in the style, format, detail and complexity which address the needs of users of the information. Example senior managers need brief reports which enable them to understand the position and performance of the business at a glance, while operational managers need detailed information which enable them to make day to day decisions.

Relevant

Information should be communicated to the right person. It means person which has some control over decisions expected to come out from obtaining the information.

Authoritative

Information should come from reliable source. It depends on qualifications and experience and past performance of the person communicating the information.

Timely

Information should be communicated in time so that receiver of the information has enough time to decide appropriate actions based on the information received. Information which communicates details of the past events earlier in time is of less importance than recently issued information like newspapers. What is timely information depends on situation to situation. Selection of appropriate channel of communication is key skill to achieve.

Easy to Use

Information should be understandable to the users. Style, sentence structure and jargons should be used keeping the receiver in mind. If report is targeted to new-comer in the field, then it should explain technical jargons used in the report.

3 examples of operating systems ​

Answers

Answer:

Linux, Windows, Macintosh

Explanation:

What are the steps for modifying a query to add calculations? Use the drop-down menus to complete them. 1. Open the query in view. 2. Select the field to which you wish to add a calculation. 3. Right-click and select in the drop-down menu. 4. Using the Expression Builder, add to create a calculation. 5. Click to see the results of the query.

Answers

Answer:

1

New Appointment

button.

3.

Save and Close

button to add the appointment.

Explanation:

Open the query in view. Select the field to which you wish to add a calculation and many more are some of the steps for modifying a query to add calculations.

What is query?

A query is a request for information from a database in computing. It is a specific command given to a database management system (DBMS) to retrieve and manipulate data from a database.

Queries are typically expressed in a query language, which is a special language designed to interact with databases.

Here are the steps for adding calculations to a query:

Bring the query into view.Choose the field to which you want to add the calculation.Select "Build Event" from the drop-down menu by right-clicking.Add expressions to the Expression Builder to make a calculation.Click "OK" to save the changes and view the query results.

Thus, these are the steps asked.

For more details regarding query, visit:

https://brainly.com/question/30900680

#SPJ3

Output: Look at the questions and choices on page 999 of your textbook. Enter the UPPERCASE letter of your choice for each question when prompted below. Enter your response for Question 1: [user types: a] Enter your response for Question 2: [user types: D] Enter your response for Question 3: [user types: B] Enter your response for Question 4: [user types: b] Enter your response for Question 5: [user types: A] You answered 4 out of 5 questions correctly

Answers

Answer:

The program in C++ is as follows:

#include <iostream>

using namespace std;

char input(){

   char student;    cin>>student;

   return student;

}

int compare(char student, char teacher){

   int score = 0;

   if(tolower(student) == tolower(teacher)){            score++;

       }

       return score;

}

int main(){

   char teacher[5] = {'C', 'D', 'B', 'B', 'A'};    

   int score = 0;

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

       cout<<"Question "<<i+1<<": ";

       char student = input();

       score+= compare(student,teacher[i]);

   }

   cout<<"You answered "<<score<<" out of 5 questions correctly";

   return 0;

}

Explanation:

Given

See attachment (1) for complete question

See attachment (2) for complete source file where comment are used to explain

what is class in python

Answers

Answer:

It is a code template for creating objects.

Answer:

What is a class? A class is a code template for creating objects. Objects have member variables and have behaviour associated with them. In python a class is created by the keyword class . An object is created using the constructor of the class.

importance of good safe design

Answers

Answer:

Safe design incorporates ergonomics principles as well as good work design. Good work design helps ensure workplace hazards and risks are eliminated or minimised so all workers remain healthy and safe at work.

Explanation:

Good work design, or safety in design, considers hazards and risks as early as possible in the planning and design process. It aims to eliminate or minimise the possibility of workplace injury or illness throughout the life of the product or process. ... products. layout and configuration

Answer:

eliminating hazards – is often cheaper and more practicable to achieve at the design or planning stage than managing risks later in the lifecycle.

Light bending power of a lens is shown by a charecteristic is called

Answers

Answer:

Optical power of lens.

Unit - 'dioptre '

symbol - φ


The type of Al that computers can use to generate and understand human speech is called__________
processing

Answers

Answer:

Language or Vocal processing

Explanation:

Language processing in AI is used to understand languages, dialects and phrases, these AI have been trained to understand human language.

1. If Earth's plates are constantly moving, why don't we need to update the locations of -
continents on world maps (such as the one above) all the time?
The Value of Fossil Evidence

Answers

Answer:

Because the tectonic plates are moving so slowly in such small incraments that it would take a while before there was any noticable change.

Explanation:

Earth's plates are constantly moving, but we do not need to update the locations because the movement of the plates does not dramatically alter the surface of the Earth's landscape.

What are continents?

Any of the numerous enormous landmasses is a continent. Up to seven geographical regions are typically recognized by convention rather than by any precise criterion.

The actions of plate movement take place closer to the Earth's crust, beneath the surface of the earth, and in the lithosphere.

The Earth's plates travel deep within the planet toward the crust, but when they intersect, the result is felt as earthquakes on the surface.

Thus, because plate movement has little impact on the terrain and positioning of the Earth's surface, it is not necessary to update the locations of continents on global maps.

To learn more about earth's plates, refer to the below link:

https://brainly.com/question/16802909

#SPJ2

what are bananas if they are brown

Answers

they are ripe or overripe (rotten)

if banans are Brown there bad I think

Question 5 a. critically explain why you would consider arrays over normal data types [5 marks] b. from you explanation in “a” above, write and initialize an array called BongoBar of type string and having 4 element. [5 marks] c. embed your array in “b” above in a full c++ program. [5 marks] d. critically explain what will happen if an amateur programmer called BongoBar[5] in the main function in you program in “c” above.

Answers

Can you explain the question better?

What happens during focus group testing?


Individuals who are not involved in the development process test the game.

Before the game is designed, experienced gamers tell the designers what they would like to see.

Company leadership looks closely at the game to see if it meets their standards.

Members of the team that designed the game test the game for quality.

Answers

Answer:

Individuals who are not involved in the development process test the game.

Explanation:

Focus groups are made up of people with no knowledge about the game being developed. This allows for an unbiased review of the game to take place and see how a typical player will behave and feel about a game.

Answer:

Individuals who are not involved in the development process test the game.

What are Render Modes? How different render modes can be used in different contexts?

Answers

Answer:

Rendering is the process that allows obtaining digital images taken from the three-dimensional model, through dedicated software. These images are intended to photorealistically simulate environments, materials, lights, objects in a project and a 3D model. In Computer Graphics Imagery , this process is developed in order to imitate a 3D space formed by polygonal structures, light behavior, textures, materials (water, wood, metal, plastic, cloth, etc.) and animation, simulating environments and credible physical structures. One of the most important parts of the programs dedicated to Computer Graphics Imagery are the rendering engines, which are capable of performing complex techniques or algorithms such as radiosity, raytrace (ray tracer), alpha channel, reflection, refraction or global illumination.

Explanation:

Rendering is a complex calculation process developed by a computer equipment designed to generate a 2D image from a 3D scene. Real-time rendering is preferably used in games and interactive graphics, it is made up of images or animations rendered at a speed that makes the fact that the computer takes time to calculate them imperceptible to the end user, therefore there will be graphic hardware dedicated to ensure rapid image processing. Offline rendering is used in those cases in which a very high speed of use of the images created is not so important, as it happens in animation works or those whose complexity and level of photorealism are much higher. Another of the applications of 3D rendering is in the world of graphic design, since it gives the designer an almost unlimited range of perspectives on the object he is designing. In addition to this, it allows a complete redesign from an initial image. Thus, designers have a tool that allows them to unleash their imagination.

Edhesive 3.7 code practice

Answers

Yes that answer is correct 3.7

Answer: To hard to answer :)

Explanation: hurts my brain

how do you open links in this app​

Answers

Answer:

Hhhhh

Explanation:

Hhhh

Answer:

Explanation:

Don't open the links there viruses

In this exercise you will debug the code which has been provided in the starter file. The code is intended to do the following:

take a string input and store this in the variable str1
copy this string into another variable str2 using the String constructor
change str1 to the upper-case version of its current contents
print str1 on one line, then str2 on the next

1 /* Lesson 4 Coding Activity Question 2 */
2
3 import java.util.Scanner;
4
5 public class U2_L4_Activity_Two{
6 public static void main(String[] args){
7
8 Scanner = new Scanner(System.in);
9 String str1 = scan.nextLine();
10 String str2 = String(str1);
11 str1 = toUpperCase(str1);
12 System.out.println("str1");
13 System.out.println("str1");
14
15 }
16 }

Answers

Answer:

The corrected code is as follows:

import java.util.Scanner;

public class U2_L4_Activity_Two{

public static void main(String[] args){

Scanner scan = new Scanner(System.in);

String str1 = scan.nextLine();

String str2 = str1;

str1 = str1.toUpperCase();

System.out.println(str1);

System.out.println(str2);

}

}

Explanation:

This corrects the scanner object

Scanner scan = new Scanner(System.in);

This line is correct

String str1 = scan.nextLine();

This copies str1 to str2

String str2 = str1;

This converts str1 to upper case

str1 = str1.toUpperCase();

This prints str1

System.out.println(str1);

This prints str2

System.out.println(str2);

A profit of ₹ 1581 is to be divided amongst three partner P,Q and R in ratio 1/3:1/2:1/5.theshareof R will be?​

Answers

Answer:

R's share = 306

Explanation:

Sum of ratio = 1/3 + 1/2 + 1/5

LCM = 30

Sum of ratio = (10 + 15 + 6) / 30 = 31 /30

Profit to be shared = 1581

P = 1/3 ; Q = 1/2 ; R = 1/5

Share of R :

(Total profit / sum of ratio) * R ratio

[1581 / (31/30)] * 1/5

(1581 / 1 * 30/31) * 1/5

51 * 30 * 1/5

51 * 6 = 306

Other Questions
helpppppppppppppppppppppppppppp............an object is moving with initial velocity of 5 m/s. After 10 seconds final velocity is 10 m/s. Calculate its acceleration. The sum of two consecutive numbers is 5. Find the equation representingthe same. PLEASE ANSWER WITH CLEAR AND CORRECT EXPLANATION!!HELPDUE: IN 35 MINUTES This is 40 points I really need help who this Commonlit: Song for the turtles in the golf before and if you did it already then can you please answer all the questions1. Which statement best summarizes this poem? A. The speaker describes how humans have killed a beautiful turtle. B. The speaker describes the cause of the 2010 British Petroleum oil spill. C. The speaker describes their first experience with a sea turtle in the wild. D. The speaker describes how turtles are persevering despite human destruction. 2. In line 9, what does the speaker's use of "smile" suggest about humans? A. Humans can see the beauty of nature even when it's damaged. B. Humans are indifferent to the destruction they cause. C. Humans are proud of their contribution to nature. D. Humans believe nature can overcome its troubles. 3. In line 13, what impact does the phrase "old great mother" have on the poem's meaning ? A. It emphasizes the fact that nature will soon die out. B. It emphasizes the respect humans should have for nature. C. It emphasizes the reasons why humans choose to disrespect nature. D. It emphasizes the fact that nature is creating a problem for humans. 4.What do lines 26-29 revals about humans? A. They have forgotten how to show the feel guilty for their actions. B. They have forgotten their connection to and responsibility for nature. C. They have forgotten how their actions have harmed turtles and other wildlife. D. They have forgotten that they are in control of making decisions about nature. Here is the poem We had been together so very long,you willing to swim with mejust last month, myself merely smallin the ocean of splendor and light,the reflections and distortions of us, and now when I see the man from British Petroleumlift you up dead from the plasticbin of death,he with a smile, you burnedand covered with red-black oil, torchedand pained, all I can think is that I loved your life,the very air you exhaled when you rose,old great mother, the beautiful swimmer,the mosaic growth of shellso detailed, no part of yousimple, meaningless,or able to be createdby any human,only destroyed. How can they learnthe secret importanceof your beaten heart,the eyes of another intelligencethan ours, maybe greater,with claws, flippers, plastron.Forgive us for being thrown off true,for our trespasses,in the eddies of the waterwhere we first walked. A couple ordered 3 appetizers and desserts, what is the probability that they might set pastries, and the Shrimp Scampi? You are a talented composer. You are inspired to write a compositionthat expresses your love for your culture, community, state, andcountry. How would you show nationalism in your work? How wouldyou express your identity in your work? Which of the following six study design types most appropriately characterizes the studies described below (#1-6)?DESIGN TYPESa. Cross-sectionalb. Case-controlc. Prospective cohortd. Retrospective (historical) cohorte. Clinical trialf. Community trialSTUDY DESCRIPTIONS1.To test the efficacy of a health education program in reducing the risk of foodborne and waterborne diseases, two Peruvian villages were given an intensive health education program. At the end of the two years the incidence rates of important foodborne and waterborne diseases in these villages were compared to those in two similar control villages where no health education programs had been implemented. 2.You would like to assess the effectiveness and efficiency in delivering health services through your clinic. After selecting a 10% sample of all patient visits during the past six months, you are able to characterize the patient population utilizing your clinic in terms of age, race, sex, method of referral, diagnostic category, therapy provided, method of payment, daily patient load, and clinic work schedules.3.You are interested in finding out whether middle-aged men who have premature heartbeats are at greater risk of developing a myocardial infarction (heart attack) than those men whose heartbeats are regular. Electrocardiogram (ECG) examinations are performed on all male employees 35 years and older who work for an oil company in your city. The ECG tracings are classified as regular or irregular by a trained cardiologist. Five years later, the heart attack rates are compared for between those with and those without baseline ECG irregularities. 4.To test the efficacy of Vitamin C in preventing colds, army recruits are randomly assigned to two groups: one in which 500 mg. of Vitamin C is administered daily, and one in which 500 mg. of placebo is administered daily. Both groups are followed to determine the number and severity of subsequent colds. 5.The physical exam records of the incoming freshmen of 1935 at the University of Minnesota are examined in 1980 to see if their recorded height and weight at the time of their admission to the university are related to their risk of developing coronary heart disease by 1981.6.The entire population of a given community is examined and all who are judged to be free of bowel cancer are questioned extensively about their diets. These people are then followed for several years to see whether or not their eating habits will predict their risk of developing bowel cancer. Which of the following statements is NOT part of the cell theory?a.Cells are the basic unit of structure and function in living things.b.All cells are produced from other cells.c.Only animals are composed of cells.d.All living things are composed of cells.Please select the best answer from the choices providedABCD PLEASE HELP!An airplane flying at an altitude of 18,000 feet has just begun its descent, and it will descend at a rate of 450 feet per minute. Which of these equations represents the airplane's altitude, y, in feet after it has been descending for x minutes?A. y equals negative 450 x minus 18,000B. y equals negative 450 x plus 18,000C. y equals 450 x minus 18,000D. y equals 450 x plus 18,000 Cheryl kept a potted plant near a window. After two days, she observed that the plant had drooped as shown. What would most likely help the plant to become healthyPLEASE HELP!!!!!!!!!!!!!!!!!!! You will recieve 25 points if you help me.A. watering the plantB. adding more soil to the potC. replanting the plant in a larger potD. providing more sunlight to the plant Find the mean of the data.4,5, 7, 14, 17, 12, 18 write all the possible subsets of {1,2,3} Convert 1/2c= milliliter If the right triangle is rotated about line l, which three-dimensional shape is formed? Help, its urgent!!!!!!!!!!!!!!!!!!! Describe the causes and effects of urban renewal cual es su anime favorito? ami no me gustantanto pero lo que es dragon ball y attack on titan me encantan What is the volume of the figure? Use the distributive property with factoring to find the equivalent expression. 24n + 32w = (3n + w) Help, it's due today!!