Java Eclipse homework. I need help coding this

Project 5A - Mixed Results

package: proj5A
class: MixedResults

Create a new project called MixedResults with a class called Tester. Within the main method of Tester you will eventually printout the result of the following problems. However, you should first calculate by hand what you expect the answers to be. For example, in the parenthesis of the first problem, you should realize that strictly integer arithmetic is taking place that results in a value of 0 for the parenthesis.

double d1 = 37.9; //Initialize these variables at the top of your program
double d2 = 1004.128;
int i1 = 12;
int i2 = 18;

Problem 1: 57.2 * (i1 / i2) +1
Problem 2: 57.2 * ( (double)i1 / i2 ) + 1
Problem 3: 15 – i1 * ( d1 * 3) + 4
Problem 4: 15 – i1 * (int)( d1 * 3) + 4
Problem 5: 15 – i1 * ( (int)d1 * 3) + 4

Your printout should look like the following:

Problem 1: 1.0
Problem 2: 39.13333333333333
Problem 3: -1345.39999999999
Problem 4: -1337
Problem 5: -1313

Answers

Answer 1

public class MixedResults {

   public static void main(String[] args) {

       Tester test = new Tester();

       test.tester_method();

   }

   

}

class Tester{

   double d1 = 37.9, d2 = 1004.128;

       int i1 = 12, i2 = 18;

   Tester(){  

       

   }

   void tester_method(){

       System.out.println(57.2*(i1/i2)+1);

       System.out.println(57.2*((double)i1/i2)+1);

       System.out.println(15 - i1 * ( d1 * 3) + 4);

       System.out.println(15 - i1 * (int)( d1 * 3) + 4);

       System.out.println(15 - i1 * ( (int)d1 * 3) + 4);

   }

}

I think this is what you're looking for. Best of luck.


Related Questions

Place the steps in order to link and place text into the document outline, effectively creating a master document.
Click Insert
Click Show Document.
Click Open.
Select the document file.
Click Outline view.

Answers

Answer:

The answer to this question is given below in the explanation section.

Explanation:

This question is asked about placing or linking text in an outline view and what would be the correct steps of placing text in an outline view.

The correct order to link and place text into the document outline, effectively creating a master document is given below:

Click Outline viewClick Show DocumentClick InsertSelect the document fileClick open

Answer:

Click Outline view

Click Show Document

Click Insert

Select the document file

Click open

Explanation:

In Python
1.9 LAB: Input: Mad Lib

Mad Libs are activities that have a person provide various words, which are then used to complete a short story in unexpected (and hopefully funny) ways.

Complete the program to read the needed values from input, that the existing output statement(s) can use to output a short story.

Ex: If the input is:

Eric
Chipotle
12
cars
Then the output is:

Eric went to Chipotle to buy 12 different types of cars

Answers

name = input("Enter a name: ")

place = input("Enter a place: ")

number = input("Enter a number: ")

noun = input("Enter a noun: ")

print("{} went to {} to buy {} different types of {}".format(name, place, number, noun))

I hope this helps!

Following are the Python program for input value and prints its value with the message.

Program Explanation:  

In the python code, four variables "na, l, nu, no" are declared that inputs value by using the input method. In this, except for the "nu" variable, all is used for the input string value. After input value, the print method has used that prints value with a message.

Program:

#defining variable that uses the input method to the input value

na = input()#defining na variable to input value

l = input()#defining l variable to input value

nu = int(input())#defining nu variable to input integer value

no = input()#defining no variable to input value

print(na, 'went to', l, 'to buy', str(nu), 'different types of', no)# printing input value and print value with message

Output:

Please find the attached file.

Learn more:

brainly.com/question/18752544

7. Ctrl + V is used to __________

A. Change the text direction

B. Chand page rotation to vertical (LandScape).

C. Copy and paste a selected text

D. Copy the selected text

E. Paste the selected text

F. Cut and paste a selected text

G. Both C and F​

Answers

Answer:

E=Paste

Explanation:

E= Paste the selected text

Answer:

e

Explanation:

because if you do Ctrl+c it copies and then you have to paste so you use Ctrl+v Therefore the answer is E

Which is the main function of the operating system?
a. Manages the hardware and operating system
b. Manages the software and operating system
c. Manages the hardware and software
d. Manages the hardware and file system​

Answers

Answer:

manage hardware and operating system

what is wrong with my code???

using System;

namespace FavoriteNumber
{
class Program
{
static void Main(string[] args)
{

Console.Write("Enter your favorite number!: ");
int faveNumber = Console.ReadLine()
int number = Convert.ToInt32("string value")

Answers

Answer:

using System;

namespace FavoriteNumber  

{

class Program

{

static void Main(string[] args)  

{

Console.Write("Enter your favorite number!: ");  

int number = Convert.ToInt32(Console.ReadLine());  

}

}

}

What are some elements commonly included in forms in Word? Check all that apply.

embedded charts
dates
text
macros
drop-down lists

Answers

Answer:

dates

text

drop-down lists

Answer:

B-dates

C-text

E-drop-down lists

Explanation: ;)

How did punch cards improve the weaving process?

Punch cards allowed a weaver to give instructions to the loom.

Punch cards made it easier for the weaver to put the string on the loom.

Punch cards allowed a weaver to choose the colors for the fibers used in a loom.

Punch cards allowed a weaver to get feedback from the loom.

Answers

Answer:

Punch cards allowed a weaver to give instructions to the loom.

Explanation:

Write a C++ program that manage the student’s grades. Starting with a fixed number of students (use 10 for simplicity) the user will input the grades for each student. The number of grades is given by the user. The grades are stored in an array. Two functions are called for each student. One function will give the numeric average of their grades. The other function will give a letter grade to that average. Grades are assigned on a 10-point spread. 90-100 A 80- 89 B 70-79 C 60-69 D Below 60 F

Answers

Answer:

#include <iostream>

using namespace std;

float findAverage(double grades[], int numOfgrades) {

   float sum = 0;

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

       sum += grades[i];

   }

   return (sum / numOfgrades);

}

char findLetterGrade(double grades[], int numOfgrades) {

   char letter;

   if(findAverage(grades, numOfgrades) >= 90 && findAverage(grades, numOfgrades) <= 100)

       letter = 'A';

   else if(findAverage(grades, numOfgrades) >= 80 && findAverage(grades, numOfgrades) <= 89)

       letter = 'B';

   else if(findAverage(grades, numOfgrades) >= 70 && findAverage(grades, numOfgrades) <= 79)

       letter = 'C';

   else if(findAverage(grades, numOfgrades) >= 60 && findAverage(grades, numOfgrades) <= 69)

       letter = 'D';

   else if(findAverage(grades, numOfgrades) >= 0 && findAverage(grades, numOfgrades) <= 59)

       letter = 'F';

       

   return letter;

}

int main()

{

   int numOfgrades, grade;

   

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

       cout<<"Enter the number of grades for student #" << i+1 <<": ";

       cin >> numOfgrades;

       double grades[numOfgrades];

       

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

           cout<<"Enter the grade" << j+1 <<" for student #" << i+1 <<": ";

           cin >> grade;

           grades[j] = grade;

       }

       cout << "Student #" << i+1 << " got " << findLetterGrade(grades, numOfgrades) << endl;

   }

   

   return 0;

}

Explanation:

Create a function named findAverage that takes two parameters, grades array and numOfgrades

Inside the function, create a for loop that iterates through the grades and calculates the sum of the grades. Then, return the average, sum/numOfgrades

Create another function named findLetterGrade that takes two parameters, grades array and numOfgrades

Inside the function, check the average grade by calling the findAverage() function. Set the letter grade using the given ranges. For example, if the result returned from findAverage() function is between 80 and 89, set the letter to 'B'. Then, return the letter.

In the main:

Create a for loop that iterates for each student, in this case 10 students. Inside the loop:

Ask the user to enter the number of grades for student. Using this value, create a grades array.

Create another for loop (inner for loop) that will set the grades array using the values entered by the user.

When the inner loop is done, call the findLetterGrade() function passing the grades array and numOfgrades as parameter and print the result

Why is forwarding messages useful?
O to pass along messages and attachments to those who should see them
* to return a message to the message sender and all other original recipients
O to courtesy copy someone with a reply message
O to move old messages into a message archive

Answers

A. To pass along messages and attachments to those who should see them.

Answer:

A. to pass along messages and attachments to those who should see them

Hope this helps :D

Why the following code is giving error NAME="REHMAAN" PRINT ("hello') PRINT ("HI")

Answers

Answer:

corrected code:

NAME="REHMAAN"  

print ("hello")  

print ("HI")

Explanation:

In python, put every statement on its own line. Even indentation matters.PRINT should be in lowercase, i.e., printThe string quotes should be both " or both ', but not a mix like in "hello'

I want to use an external keyboard but my father is not allowing what should I do Can someone help me out with this I know this not related to subjects but i hope you all will answer

Answers

Answer:

payattention in class

Explanation:

what is the name of the symbol that is used to classify and categorize information?​

Answers

Answer:

A Hashtag

Explanation:

Answer: it’s Hashtags#

Question # 5 Dropdown What is the output for the following code? >>> phrase = "help23" >>> phrase.isalnum() h​

Answers

The output is True because the string phrase contains only letters and numbers.

Answer:

true

Explanation:

#Write a function called grade_scantron. grade_scantron should
#take as input two lists: answers and key. Each list contain
#strings. Each string will be only one letter, a character
#from A to E. grade_scantron should return how many questions
#the student got "right", where a student gets a question
#right if their answer for a problem matches the answer key.
#
#In other words, if value of the first item in answers matches
#the value of the first item in key, the student gets a point.
#If it does not, the student does not get a point.
#
#If the lists do not have the same number of items, return
#-1 to indicate that the answer key did not belong to the
#same test as the student's answers.\
#
#Hint: in the past, lots of people have tried to do this using
#the index() method. That won't work! You'll need to track the
#index yourself.


#Write your function here!
def grade_scantron(answers,key):
count=0
result=-1
try:
if len(key) != len(answers):
result=-1
except:
result=count
for index, item in enumerate(answers):
if(key[index] == answers[index]):
count+=1

return(result)

#Below are some lines of code that will test your function.
#You can change the value of the variable(s) to test your
#function with different inputs.
#
#If your function works correctly, this will originally
#print: 7
answers = ["A", "B", "B", "A", "D", "E", "B", "A","D"]
key = ["A", "B", "B", "A", "D", "E", "B", "A", "D"]
print(grade_scantron(answers, key))

I keep getting -1 and I don't know why. No matter what I do, I can't get the code to print either -1 (if the lengths don't match) or the amount of correct answers ( if the lengths do match up).

Answers

En este ejemplo vemos que, por la información dada, no es posible que esta oración tenga coherencia o sentido. En este caso el nexo o conector que une ambas oraciones no debería haberse utilizado, puesto que ambas oraciones no tienen relación. Por ende corresponden a estructuras diferentes y no es posible que mantengan una coherencia. Varias oraciones sin coherencia, generan textos incoherentes.

What are the benefits of online notebooks? Check all that apply..

They allow users to store files.
They allow users to share files.
They give users a way to practice for tests.
They help users organize assignments.
They allow users to clip information from web pages.
They can serve as school calendars.

Answers

Answer:

its a They allow users to store files. b They allow users to share files. d They help users organize assignments and f They can serve as school calendars.

Explanation:

:))))

Answer:

abdf

Explanation:

mention two hardware groups​

Answers

Answer:

input Devices, Processing Devices, Output Devices, Memory/Storage Devices

Explanation:

Writing a Modular Program in Python
Summary
In this lab, you add the input and output statements to a partially completed Python program. When completed, the user should be able to enter a year, a month, and a day. The program then determines if the date is valid. Valid years are those that are greater than 0, valid months include the values 1 through 12, and valid days include the values 1 through 31.
Instructions
Notice that variables have been declared for you.
Write input statements to retrieve a year, a month, and a day from the user.
Include the print statements to output the following: month/day/year is a valid date. or month/day/year is an invalid date.
Execute the program entering the following input: month = 5, day = 32 year = 2014
Execute the program entering the following input: month = 9 day = 21 year = 2002
# Program Name: BadDate.py
# Function: This program determines if a date entered by the user is valid.
# Input: Interactive
# Output: Valid date is printed or user is alerted that an invalid date was entered.
validDate = True
MIN_YEAR = 0
MIN_MONTH = 1
MAX_MONTH = 12
MIN_DAY = 1
MAX_DAY = 31
year = int(input("Enter year:"))
month = int(input("Enter month:"))
day = int(input("Enter day:"))
# Get the month, then the day, then the year
# housekeeping()
# Check to be sure date is valid
if int(year) <= MIN_YEAR: # invalid year
validDate = False
elif int(month) < MIN_MONTH or int(month) > MAX_MONTH: # invalid month
validDate = False
elif int(day) < MIN_DAY or int(day) > MAX_DAY: # invalid day
validDate = False
# Test to see if date is valid and output date and whether it is valid or not
# endOfJob()
if validDate == True:

Answers

Answer:

Add these statements to the given code:

if validDate == True:  #if the date is valid

   print(str(month)+'/'+str(day)+'/'+str(year) + " is a valid date")  #prints the statement in month/day/year format. str() converts the values of month day and year to string

else:  #if data is not valid

   print(str(month)+'/'+str(day)+'/'+str(year) + " is an invalid date") #prints this statement in month/day/year format

Explanation:

Here is the complete program:

validDate = True

MIN_YEAR = 0

MIN_MONTH = 1

MAX_MONTH = 12

MIN_DAY = 1

MAX_DAY = 31

year = int(input("Enter year:"))

month = int(input("Enter month:"))

day = int(input("Enter day:"))

if int(year) <= MIN_YEAR:  

    validDate = False

elif int(month) < MIN_MONTH or int(month) > MAX_MONTH:

    validDate = False

elif int(day) < MIN_DAY or int(day) > MAX_DAY:

    validDate = False

if validDate == True:

   print(str(month)+'/'+str(day)+'/'+str(year) + " is a valid date")  

else:

   print(str(month)+'/'+str(day)+'/'+str(year) + " is an invalid date")

I will explain the program with an example:

Suppose user enters 2002 as year, 9 as month and 21 as day so

year = 2002

month = 9

day = 21

All these are integers

validDate is set to True initially.

MIN_YEAR is set to 0 initially.

MIN_MONTH is set to 1  initially

MAX_MONTH is set to 12 initially

MIN_DAY is set to 1  initially

MAX_DAY is set to 31  initially

The first if condition if int(year) <= MIN_YEAR: checks if the year is less than MIN_YEAR. As the value of year is 2002 and that of MIN_YEAR is 0 so year is not less than or equals to MIN_YEAR. So this if condition evaluates to false. Thus the program moves to the elif part. The value of validDate remains true.

The elif condition elif int(month) < MIN_MONTH or int(month) > MAX_MONTH: checks if the month is less than MIN_MONTH  or greater than MAX_MONTH . Since the value of month is 9 so it is not less than value of MIN_MONTH which is 1 and it is not greater than the value of MAX_MONTH  which is 12. So this condition evaluates to false. Thus the program moves to the second elif part. The value of validDate remains true.

The elif condition elif int(day) < MIN_DAY or int(day) > MAX_DAY:  checks if the day is less than MIN_DAY  or greater than MAX_DAY. This is also not true because of value of day is 21 and it is not less than value of MIN_DAY which is 1 and it is not greater than value of MAX_DAY which is 31. So this condition also evaluates to false. So the program moves to the next statement. However the value of validDate remains true.

The next statement: if validDate == True:  evaluates to true because none of the above if elif conditions evaluate to true. Since this condition evaluate to true then statement in this if part executes which is:

   print(str(month)+'/'+str(day)+'/'+str(year) + " is a valid date")  

This is a print statement that prints the output on screen. str() method is used to convert the values of month, day and year to string form. So the output of this entire program is:

9/21/2002 is a valid date    

The program along with its output is attached in a screenshot.

Write a program that will add up the series of numbers: 99, 98, 97… 3, 2, 1. The program should print the running total as well as the total at the end. The program should use one for loop, the range() function and one print() command.

Answers

Answer:

isum = 0

for i in range(99,0,-1):

   isum = isum + i

print(isum)

Explanation:

This line initializes isum to 0

isum = 0

The following iteration starts from 99 and ends at 1

for i in range(99,0,-1):

This line adds the series

   isum = isum + i

This line prints the sum of the series

print(isum)

The program that will add up the series of numbers: 99, 98, 97… 3, 2, 1 is represented as follows using for loop, the range() function and one print() function.

sum = 0

for i in range(1, 100):

   sum += i

print(sum)

The code is written in python.

The variable sum is initialise to zero.

For loop is used to loop through the range of number 1 to 100(excluding 100).

Then the numbers are added to the sum initialised to zero.

The total sum is then printed.

learn more on python here: https://brainly.com/question/22164565?referrer=searchResults

1. From where you can access save command?

A. Home tab

B. Insert

C. Review Tab

D. Right Click

E. None of above

F. All of these

G. Both A and B.

2. Which of the following is not a font style ?

A. Status bar

B. Tool bar

C. Menu bar

D. Title bar

E. Both B and D.

Answers

Answer:

1 no. ans

none of above

this ans is not 100% correct but also it help may help you

Create a class named Console, and move all the methods that retrieve and validate user input to that class. These methods can remain static. Create a class named Game, and move all the methods that display messages and handle user guesses to that class. Adjust these methods so they aren't static, and use instance variables of the Game class to keep track of numbers, guesses, and so on. Update the application to use these classes and their methods. Make sure the application functions the same as it did before.

Answers

Answer:

Here is the Console class:

import java.util.Scanner;  // to accept input from user

public class Console {   // class name

public Console() {}   //class constructor

public int getInt(Scanner sc, String prompt) { //gets user's number  

int i = 0;   //initialize i to 0

boolean isValid = false;   // checks for valid input

while (!isValid) {   //loop iterates as long as input remains valid

System.out.print(prompt);   //displays prompt

if (sc.hasNextInt()) {   // checks for the next token (input number)

i = sc.nextInt();   // scans and reads the next number

isValid = true;   // checks if input is valid

} else {   //if input is not valid

System.out.println("Error! Invalid integer value. Try again.");  }  //displays error message

sc.nextLine(); // discard any other data entered on the line   }

return i;  }  //returns number

public int getIntWithinRange(Scanner sc, String prompt, //checks users guess if outside parameters or not  

int min, int max) {  

int i = 0;  

boolean isValid = false;   //sets isValid to false

while (!isValid) {   //keeps iterating and stops when isValid is false

i = getInt(sc, prompt);   //calls getInt method to get users number

if (i <= min) {   //if number is less than value of min

System.out.println("Error! Number must be greater than " + min);   //displays this message

} else if (i >= max) {   //if number is greater than that of max

System.out.println("Error! Number must be less than " + max);   //displays this message

} else {   //if guess is right

isValid = true;   } } //sets isValid to true

return i;  } //returns that number

public  String getRequiredString(Scanner sc, String prompt) { //Asks for user's string input  

String s = "";  

boolean isValid = false;   //sets isValid to false

while (!isValid) {      //keeps iterating and stops when isValid is false

System.out.print(prompt);    //displays prompt

s = sc.nextLine();   //reads next line (read next string input value)

if (s.equals("")) {   //if user enters nothing

System.out.println("Error! This entry is required. Try again.");   //display this message

} else {   //if user enters a string input

isValid = true;   }  }  //sets isValid to true

return s; }  //returns string

public  String getChoiceString(Scanner sc, String prompt, //Checks for users input for Y/y ignores caps  

String s1, String s2) {

String s = "";  

boolean isValid = false;   //sets isValid to false

while (!isValid) {   //iterates until isValid is false

s = getRequiredString(sc, prompt);   //calls method to get the input string

if (!s.equalsIgnoreCase(s1) && !s.equalsIgnoreCase(s2)) {  // checks users input for Y/y ignores caps  

System.out.println("Error! Entry must be '" + s1 + "' or '" + s2 + "'. Try again.");   // displays error message that entry must be y or Y

} else {   //if user enters y or Y

isValid = true;   } }   //sets isValid to true

return s;  } } //returns y or Y

Explanation:

Here is the Game class

public class Game {  // class name

public Game() {}   //class constructor

public void displayWelcomeMessage() { //displays message  

System.out.println("Welcome to the Guess the Number Game");  

System.out.println("++++++++++++++++++++++++++++++++++++");  

System.out.println(); }

public  void displayPleaseGuessMessage() { //displays message for user to guess from 1-100  

System.out.println("I'm thinking of a number from 1 to 100.");  

System.out.println("Try to guess it.");  

System.out.println();}

public  void displayCorrectGuessMessage(int counter) { //display user's current guess count

System.out.println("You got it in " + counter + " tries.");  

if (counter <= 3) {   //if user guesses the number in 3 or less tries

System.out.println("Great work! You are a mathematical wizard.\n");  

} else if (counter > 3 && counter <= 7) {   //if user guesses the number greater than 3 but less than or equals to 7 tries

System.out.println("Not too bad! You've got some potential.\n");  

} else {   //if user guesses the number after more than 7 tries

System.out.println("What took you so long? Maybe you should take some lessons.\n"); }}

public  void displayGuessAgainMessage(int number, int guessNumber) { //Asks user to guess again  

int difference = guessNumber - number;  

if (guessNumber > number) {   //if guessNumber is greater than number

if (difference > 10) {   //if difference between guessNumber and number is greater than 10

System.out.println("Way too high! Guess again.\n");   //guessed number is higher than correct one

} else {  

System.out.println("Too high! Guess again.\n");  }

} else {  

if (difference < -10) {   //if difference between guessNumber and number is less than -10

System.out.println("Way to low! Guess again.\n");   //guessed number is lower than correct one

} else {  

System.out.println("Too low! Guess again.\n");}}}}

The main program and explanation of these above programs are given in the attached document.

The output of the program is attached.

in public speaking situation the sourse of the message is the person listening to the speech​

Answers

Answer:

The answer to this question is given below in the explanation section

Explanation:

This question is about terminologies or elements used in public speaking.

So generally, in public speaking, the source is the person who is giving the speech, the channel is the speaker's use of verbal and nonverbal communication, and the receivers are the audience members listening to the speech.

What declarations, inputs, processing, and outputs are needed to calculate the area of a rectangle?​

Answers

Answer:

Declaration: length, width, area

Inputs: length & width

Processing: length & width

Output: area

Explanation:

The area of a rectangle uses the formula: [tex]A=lw[/tex]. In your coding, you need to ask for user input for the length and width in order to calculate the area.

Your processing would simplify multiple the user's input together stored in some type of sum variable.

Now I don't know what program language you are using but I will give you an idea.

Code (Python)

#Define variables equal to user input.

length = int(input("Enter the length of the rectangle: "))

width = int(input("Enter the width of the rectangle: "))

area = length * width

Your output would be the area, but you can manipulate it if you want.

print("The area of the rectangle is", area)

So the program would run like this:

Enter the length of the rectangle: 3 <--you type a number

Enter the width of the rectangle: 5

The area of the rectangle is 15

Sidenotes: if you are using ints, the number MUST be a whole number or the program will throw an error. If you are using decimals, use a float.

A speaker says:
Can you please bring me some milk I mean coffee?
Which of the following is the most correct way to transcribe this according to our Style
Guide? Type A, B, C, or D in the box below.
A) Can you please bring me some coffee?
B) Can you please bring me some milk, I mean coffee?
C) Can you please bring me some milk-- I mean, coffee?
D) Can you please bring me some milk -- I mean coffee?

Answers

The correct answer to the question is D

Assign sub_lyric by slicing rhyme_lyric from start_index to end_index which are given as inputs. Sample output with inputs: 4 7

Answers

sub_lyric = rhyme_lyric[start_index:end_index]

What is the main advantage of a bitmap image?

a
It is HTML-specific.function
b
It is Python-specific.
c
It includes minimal detail.
d
It includes a lot of detail.

Answers

The answer is d. Hope this helps

i need to know thr full number of pie

Answers

Answer:

3.14159

Explanation:

Netbooks, also called mini notebooks or subnotebooks, are a subgroup of desktops.
True
False

Answers

Answer:

false desktop is on your computer or your actual desk top

Explanation:

hype or sway house and why

me hype bc they are funny to me

Answers

Hype house easy it’s way better

List three possible ways a company can process your data through
their privacy policy.

Answers

Answer:

A company will only process your personal data when they have a legal basis for doing so.

The legal basis to process personal data will one of the following:

1.For the performance of contract:  for recruitment process, for human resource management, and to manage those carrying out work on behalf of PI.

2.For legal requirement:  to comply with applicable regulatory obligations and employment law.

3.For their legitimate interests: to administer their website, to manage their donations, to carry out research and investigations and to manage volunteer.

true or false.the highest size of a font (html) is 10.

Answers

Answer:

False.

Explanation:

It's not true.

I believe it is False
Other Questions
Greg has a table that is 3.75 meters in length. He wants to make a tablecloth that is 20 centimeters longer on each end than the table.What steps should Greg use to determine the correct number of centimeters to make the tablecloth? How does the public opinion affect the big threes decisions Which of the following was NOT on the Populist Party ReformPlatform?A. single term for president and vice presidentB. election of senators by popular voteC. looser immigration lawsD. 8 hour work day The employees at your job have been asked to attend a mandatory training meeting. Your co-worker, Mike, doesn't want to go and has asked that you sign his name to the attendance sheet for him. Mike's request shows he does not demonstrate which workplace attitude?honestydependabilitypunctualityself-confidence Which of the following selections most closely defines traces as it is used in the following passage?He glanced back. The other sled was coming up like an express-train. With half the dogs still over their traces, he cried, "Mush on!" and leaped upon the sled just as the pursuing team dashed abreast of him.A. noun | two straps that attach something to something elseB. noun | evidence left by someone who is fleeingC. noun | considerably small quantities of somethingD. verb | makes marks over the outline of something else on paper The local craft fair charges the vendors a flat rate of $15 plus $5 for each hour that theyspend at the fair. If the vendor owed $50, how many hours did he remain at the craftfair? When a site is unsafe, it means a. Your personal information may be used in ways you do not want c. Permission to use that site at school is always allowed b. That site is okay to visit often d. All of the above Please select the best answer from the choices provided A B C D Plutonium-242 (242Pu) undergoes alpha decay to form what daughter isotope and decay particle? Find the number of atoms of each element in 180g na2so4 According to the text, Arkansas's present state Constitution became effective on what date?Select one:a. July 4, 1879 b. March 15, 1820 c. October 30, 1874 d. None of the above 3 billion in scientific notation C10H20 is an organic compound. Calculate its molar mass to 2 decimal spaces. help plz!! Show work , need help on this __________ is a combination of a stimulant and a hallucinogen - this combination makes it a "designer drug." Which of these best describes the role of helicase and DNA polymerase in DNA replication? *A. DNA polymerase "unzips" the DNA strand, while helicase brings in new strands of DNA to match the old strandsB. Helicase attaches new nitrogen bases to the ends of old DNA strands, while DNA polymerase breaks down unused DNA strandsC . DNA polymerase breaks down the old strand of DNA after a new one has been replicated, while helicase connects the two DNA strands togetherD. Helicase "unzips" the DNA strand, while DNA polymerase brings in new strands of DNA to match the old strands Select the best alternative for the following questions:i. Which of the following transactions are not recorded in book keeping?a) Sold Goods on Credit.b)Introduce capital in the business.c) Resignation of marketing manager.d) Drawing cash from business for personal use... 25 POINT REWARD!!!!HELP ASAP!!!!! I'm supposed to do a graphic orginizer that has answers to the following questions about the Indus River Valley in 2600 BC and the Indus River Valley in present time (Pakistan) Population (What groups of people lived 2600BC:here and where did they live?) NOW: Culture(What is important to the people? 2600BC:How do they spend their time) NOW: Industry(What do people do for a living?What 2600BC:Sorts of activities form the livelihood NOW: Of people) Political Borders 2600BC:(describe borders or show maps of NOW: The past and today) 5 over 9 x (*F-32) equals Carlos is going on a boat tour the boat will travel a total distance of 35 km during the 7 hour tour it's a boat travels at a constant speed during the tour what distance in kilometers should the boat travel in 3 hours I'm sorry I'm bad at math!! Ahhhhh! Help!Solve for a.5a12=2