var nums = [1,1, 2, 3, 5, 8, 13, 21];
var copyNums = [1,1, 2, 3, 5, 8, 13, 21];
for(var i=0; i < copyNums.length; i++){
if(copyNums[i] == 1){
insertItem(copyNums,i,"hello");
}
}
This code will create an infinite loop. Why does it create an infinite loop?

Answers

Answer 1

Answer:

Explanation:

This code creates an infinite loop because it is detecting that the first value of copyNums is 1, therefore it runs the insertItem code. This code then adds the value "hello" to the array in position i which would be 0. Then moves to the next value of the array, but since the element "hello" pushed the value 1 to the next index then the code just repeats itself with the same value of 1. This continues to happen because every time the value "hello" is added it simply pushes the 1 to the next index and repeats the same code.

Answer 2

Answer:

[tex]var nums = [1,1, 2, 3, 5, 8, 13, 21];

var copyNums = [1,1, 2, 3, 5, 8, 13, 21];

for(var i=0; i < copyNums.length; i++){

if(copyNums[i] == 1){

insertItem(copyNums,i,"hello");

}

}[/tex]


Related Questions

DRAG DROP -A manager calls upon a tester to assist with diagnosing an issue within the following Python script:#!/usr/bin/pythons = "Administrator"The tester suspects it is an issue with string slicing and manipulation. Analyze the following code segment and drag and drop the correct output for each string manipulation to its corresponding code segment. Options may be used once or not at all.Select and Place:

Answers

Answer:

The output is to the given question is:

nist

nsrt

imdA

strat

Explanation:

The missing code can be defined as follows:

code:

s = "Administrator" #defining a variable that hold string value

print(s[4:8])#using slicing with the print method  

print(s[4: 12:2])#using slicing with the print method  

print(s[3::-1])#using slicing with the print method  

print(s[-7:-2])#using slicing with the print method    

In the above code, a string variable s is declared, that holds a string value, and use the multiple print method to print its slicing calculated value.

A Consider the following method definition. The method printAllCharacters is intended to print out every character in str, starting with the character at index 0. public static void printAllCharacters (String str) for (int x = 0; x< str.length(); x++) // Line 3 System.out.print(str.substring(x, x + 1)); The following statement is found in the same class as the printAllCharacters method. printAllCharacters ("ABCDEFG"); Which choice best describes the difference, if any, in the behavior of this statement that will result from changing x < str.length() to x <= str.length() in line 3 of the method?
Α) The method call will print fewer characters than it did before the change because the loop will iterate fewer times.
B) The method call will print more characters than it did before the change because the loop will iterate more times.
C) The method call, which worked correctly before the change, will now cause a run-time error because it attempts to access a character at index 7 in a string whose last element is at index 6.
D) The method call, which worked correctly before the change, will now cause a run-time error because it attempts to access a character at index 8 in a string whose last element is at index 7.
E) The behavior of the code segment will remain unchanged.

Answers

Answer:

(c) The method call, which worked correctly before the change, will now cause a run-time error because it attempts to access a character at index 7 in a string whose last element is at index 6.

Explanation:

Given

printAllCharacters method and printAllCharacters("ABCDEFG");

Required

What happens when  x < str.length() is changed to x <= str.length()

First, we need to understand that str.length()  gets the length of string "ABCDEFG"

There are 7 characters in "ABCDEFG".

So: str.length()  = 7

The first character is at index 0 and the last is at index 6

Next, we need to simplify the loop:

for (int x = 0; x< str.length(); x++) means for (int x = 0; x< 7; x++)

The above loop will iterate from the character at the 0 index to the character at the 6th index

while

for (int x = 0; x<=str.length(); x++) means for (int x = 0; x<=7; x++)

The above loop will iterate from the character at the 0 index to the character at the 7th index

Because there is no character at the 7th index, the loop will return an error

Hence: (c) is correct

Following are calculations to the given method.

Given:

Method printAllCharacters and printAllCharacters("ABCDEFG") are both required.

To find:

What happens if you change x <str.length() to x = str.length()?

Solution:

To begin, we must recognize that str. length() returns the length of the string "ABCDEFG"."ABCDEFG" is made up of seven letters.As just a result, str.length() = 7

The first character is at index 0 while the last is at index 6. The loop should therefore be simplified:

for (int x = 0; x< str.length(); x++) means for (int x = 0; x< 7; x++)

Its loop above should iterate from character 0 through character 6.

when

for (int x = 0; x<=str.length(); x++) stands as for (int x = 0; x<= 7; x++).

The loop above will iterate from the character from index 0 to a character at index 7.The loop will produce an error since there are no characters at the 7th index.

Therefore, the final answer is "Option (c)"

Learn more:

brainly.com/question/22799426

1.16 LAB: Input and formatted output: House real estate summary Sites like Zillow get input about house prices from a database and provide nice summaries for readers. Write a program with two inputs, current price and last month's price (both integers). Then, output a summary listing the price, the change since last month, and the estimated monthly mortgage computed as (currentPrice * 0.051) / 12 (Note: Output directly. Do not store in a variable.).
Ex: If the input is:
200000 210000
the output is:
This house is $200000. The change is $-10000 since last month.
The estimated monthly mortgage is $850.0.
Note: Getting the precise spacing, punctuation, and newlines exactly right is a key point of this assignment. Such precision is an important part of programming.
import java.util.Scanner;
public class LabProgram {
public static void main(String[] args) {
Scanner scnr = new Scanner(System.in);
int currentPrice;
int lastMonthsPrice;
currentPrice = scnr.nextInt();
lastMonthsPrice = scnr.nextInt();
/* Type your code here. */
}

Answers

Answer:

Please find the complete code and the output in the attachement.

Explanation:

In the code, a class "LabProgram" is defined, and inside the main method two integer variable "currentPrice and lastMonthsPrice" is defined that uses the scanner class object is used for a user input value, and in the next step, two print method is declared that print the calculate of the integer variable.

The program is an illustration of output formats in Java

The statements that complete the program are:

System.out.printf("This house is $%d. The change is $%d since last month.\n",currentPrice,(currentPrice - lastMonthsPrice));System.out.printf("The estimated monthly mortgage is $%.1f.\n",(currentPrice * 0.051)/12);

To format outputs in Java programming language, we make use of the printf statement, followed by the string literal that formats the required output

Take for instance:

To output a float value to 2 decimal place, we make use of the literal "%.2f"

Read more about Java programs at:

https://brainly.com/question/25458754

If you wanted to help your phone , a nonliving thing , perform the process of life which is to gain energy which would be the best description of what to do ?

Help

Answers

Answer:

d. plug it into the charger.

Explanation:

ve phenotypk percentages of the offspring​

Answers

It’s true have a nice day

Organizations can use dictionaries to disallow passwords during the reset process and thus guard against easy-to-guess passwords.
a) true
b) false

Answers

Answer:

a) true

Explanation:

Cyber security can be defined as preventive practice of protecting computers, software programs, electronic devices, networks, servers and data from potential theft, attack, damage, or unauthorized access by using a body of technology, frameworks, processes and network engineers.

With cybersecurity theory, security standards, frameworks and best practices we can guard against cyber attacks and easy-to-guess passwords.

An example of best practices in cybersecurity is the use of alphanumeric password with certain composition and strength, such as a minimum of eight (8) characters. This would ensure there's a formidable wall to protect data and an unauthorized access or usage of the system network.

A dictionary attack typically involves accessing a list of commonly used passwords by end users rather than a random guess.

Hence, organizations can use dictionaries to disallow passwords during the reset process and thus guard against easy-to-guess passwords.

The game world plays a crucial role in bringing the game story to life and often acts as a bridge between what two elements?

A) the game title and resolution
B) characters and their powers
C) internal conflict and external conflict
D) game mechanics and game story

Answers

Answer:

B Is actually the correct answer

Use the factorial operation to evaluate 10!.
A) 9 x 8 x 7 x 6 x 5 x 4 x 3 x 2 x 1
B) 9 + 8 + 7 + 6 + 5 + 4 + 3 + 2 + 1
C) 10 + 9 + 8 + 7 + 6 + 5 + 4 + 3 + 2 + 1
D) 10 x 9 x 8 x 7 x 6 x 5 x 4 x 3 x 2 x 1

Answers

Answer:

D

Explanation:

The definition of n! is n x (n-1) x (n-2) x ... x 1.

So 10! = 10 x 9 x 8 x 7 x 6 x 5 x 4 x 3 x 2 x 1 i.e. D.

Answer:

D) 10 x 9 x 8 x 7 x 6 x 5 x 4 x 3 x 2 x 1

Explanation:

The problem here is to use the factorial method to find;

    10!

The factorial of any number is given as:

       a!  = (a - 1) x (a - 2) .........(a - n)

It is the product of any integer from 1 to that number.

So;

   10!   = 10 x 9 x 8 x 7 x 6 x 5 x 4 x 3 x 2 x 1

The solution is therefore 10 x 9 x 8 x 7 x 6 x 5 x 4 x 3 x 2 x 1

A university with remote campuses, which all use different service providers, loses Internet connectivity across all locations. After a few minutes, Internet and VoIP services are restored, only to go offline again at random intervals, typically within four minutes of services being restored. Outages continue throughout the day, impacting all inbound and outbound connections and services. Services that are limited to the local LAN or WiFi network are not impacted, but all WAN and VoIP services are affected. Later that day, the edge-router manufacturer releases a CVE outlining the ability of an attacker to exploit the SIP protocol handling on devices, leading to resource exhaustion and system reloads. Which of the following BEST describe this type of attack?
A. DOS
B. SSL Stripping
C. Memory leak
D. Race condition
E. Shimming
F. Refactoring

Answers

Answer:

A & D.

Explanation:

In real time operating system, the best description for this type of attack explained in the question is;

DOS and Race Condition.

Because race condition takes place when 2 or more threads are able to both access and change shared data simultaneously ,while DOS is a good foundation to build a custom made Real time operating system.

Thus, options A & D are correct.

Consider the following pseudocode:

Get the Sqrt of 9.
This pseudocode is an example of what?

A
An event that contains a parameter

B
A function that contains an argument

C
An object that contains a parameter

D
A class that contains an argument

Answers

Answer: sorry I couldn’t help but Pseudocode is an artificial and informal language that helps programmers develop algorithms. Pseudocode is a "text-based" detail (algorithmic) design tool. The rules of Pseudocode are reasonably straightforward. All statements showing "dependency" are to be indented. These include while, do, for, if, switch.

Explanation:

Gamification and virtual reality is the future of education . I need a speech on this topic

Answers

Hahaha jsisienenwisjejwje

what is mass communication​

Answers

Hey there!

When you see the word “mass communication” think of an article written on the newspaper or a person interaction on a social media platform. You’re talking to a variety of LARGE groups but not physically there in their appearance, right? (This is an EXAMPLE.... NOT an ANSWER)

Here’s SOME examples

- Political debate campaigns

- Journalism (you could find some in articles / newspapers passages)

- Social Media Platforms

- A company PROMOTING their brand as a COMMERCIAL on the television/radio

Without further a do... let’s answer your question….......

Basically “mass communication”

is the undertaking of media coordination which produce and carries out messages with HUGE crowds/public audiences and by what the message process striven by their audience ☑️

Good luck on your assignment and enjoy your day!

~LoveYourselfFirst:)

Most Information Technology careers require workers to perform their jobs in
A. a home office.
B. a business office.
C. a secure office.
D. an off-site office.

Answers

Answer:

b on edge 2020

Explanation:

Answer:

b

Explanation:

A user reports slow performance on a computer. A technician checks the computer and finds the RAM utilization Is very high. The technician restarts the computer, and the RAM use is still high. The technician discovers a program running in the background Is using most of the RAM. The user only uses this program once at the end of the year to produce a report. What steps should the technician take to improve the computer's performance?

Answers

Answer:

The answer is "disable the program on startup"

Explanation:

The technician simply disables the program on the startup, at this the utilization of the RAM is low. The startup tab is also known as an alternative in the initialization process of the system software, which is automatically started whenever the device boots. There has been an error. If you boot, the more applications you want to load the longer it will take to operate the computer.

VEE Physics 2006 E.C
466
4.
A transverse sinusoidal wave is travelling on a string. Which
statement is correct a point on the string?
A. The point moves in the same direction as the wave.
B. The point moves in simple harmonic motion with a different
frequency than that of the wave.
C. The point moves in simple harmonic motion with the same
angular frequency as the wave.
D. The point moves I uniform circular motion with a different
angular speed than the wave.​

Answers

The answer for this is smoking the zaza

Write a public static method named insert. The insert method should have the signature insert(String[] words, String newWord, int place), should return a boolean, and should function as described below.
When called, if place does not represent a valid index for words, then the method will return false to indicate the insertion could not be performed and do nothing else. Otherwise the method will insert the String newWord into the array words at the index place, moving each subsequent entry one place further and losing the final String in the array. The method will then return true to indicate the insertion has taken place.
Use the runner class to test this method: do not add a main method to your code in the U6_L4_Activity_One.java file or it will not be scored correctly.
Here is the runner code:
import java.util.Scanner;
public class runner_U6_L4_Activity_One{
public static void main(String[] args){
Scanner scan = new Scanner(System.in);
System.out.println("Enter array length:");
int len = scan.nextInt();
scan.nextLine();
String[] wordList = new String[len];
System.out.println("Enter values:");
for(int i = 0; i < len; i++){
wordList[i] = scan.nextLine();
}
System.out.println("Enter new String:");
String insWord = scan.nextLine();
System.out.println("Enter place:");
int pos = scan.nextInt();
System.out.println("Method return: " + U6_L4_Activity_One.insert(wordList, insWord, pos));
System.out.print("Array contents: {");
for(int i = 0; i < len-1; i++){
System.out.print(wordList[i] + ", ");
}
System.out.println(wordList[len-1]+"}");
}
}

Answers

Answer:

Explanation:

The following code was written in Java and performs the exact requirements listed in the question. It has also been tested by the runner code and works perfectly.

public static boolean insert(String[] words, String newWord, int place) {

               if (place > words.length) {

                   return false;

       } else {

                   for (int x = words.length - 1; x >= 0; x--) {

                       if (place == x) {

                           words[x] = newWord;

                           break;

                       } else {

                           words[x] = words[x-1];

                       }

                   }

                   return true;

               }

   }

Methods are group of code segments that are executed when evoked or called.

The insert public static method in Java, where comments are used to explain each line is as follows:

//This defines the method

public static boolean insert(String[] words, String newWord, int place) {

   //This returns false, if the place value is less than the word length

   if (place > words.length) {

       return false;

   }  

   //If otherwise

   else {

       //This iterates through the characters of the word, in reverse order

       for (int i = words.length - 1; i >= 0; i--) {

           //This inserts the new word into the array

           if (place == i) {

               words[i] = newWord;

               break;

           } else {

               words[i] = words[i-1];

           }

       }

       //This returns true

       return true;

   }

}

Read more about methods at:

https://brainly.com/question/13628934

Gamification and virtual reality is the future of education

Answers

Answer:

Education is expected to be the fourth largest sector for VR investment. VR in education is predicted to be a $200 million industry by 2020, and a $700 million industry by 2025. 97% of students would like to study a VR course.

Explanation:

How to do brainliest

Answers

If the reply that someone put has a blue crown you click it and it will give them brainliest but it usually won’t work unless there are two answers

What is the recommended solution if a computer performs slowly?

Answers

Answer:

Not sure what the class/context is, but here's what I'd do to diagnose a problem like that:

- Check to see what programs have high utilization of system resources in task manager and end them

- Prevent background startup processes from occuring on restart or from running in the background during normal use

- Figure out what hardware component is bottlenecking the system and upgrade it (HDD to SSD would be one example)

- If the issue is malware related, I would "flatten" the PC by wiping the entire system and reinstalling the OS (though some malware can persist even across this)

Source: I've worked as labs support

If a computer is performing slowly, there are several recommended solutions one can try to improve its performance, such as closing unnecessary programs, restarting the computer, etc.

Reviewing the programs that automatically start when the computer boots up and disabling unnecessary startup programs to reduce the time it takes for the computer to start and free up system resources. The specific solution may vary depending on the computer's operating system, hardware, and specific performance issues. It's always a good idea to back up important files before making any changes to your computer's configuration. If the performance issues persist, seeking assistance from a computer technician or IT professional may be necessary.

Learn more about computers here.

https://brainly.com/question/32297640

#SPJ6

A specification can be a written document, a set of graphical, a formal mathematical model, a collection of usage scenarios (or, use cases), a prototype, or any combination of these.
A. True
B. False

Answers

Answer:

The given statement is "True". A further explanation is given below.

Explanation:

The specification would be a necessary condition that is explicitly indicated, for obvious reasons, concerning the great components throughout the prototype of being something. A detailed explanation of that same performance aspects, normally with particular established standards, is presented in terms appropriate to lead to the creation both for real manufacturing and building methods of such a component with either the personality traits mentioned throughout the structural performance.

So the above is the appropriate response.

Which function in spreadsheet software can be used to predict future sales or inventory needs?

Answers

create a forecast, Excel creates a new worksheet that contains both a table of the historical and predicted values and a chart that expresses this data. A forecast can help you predict things like future sales, inventory requirements, or consumer trends.

Answer:forecast

Explanation:

A technician who is managing a secure B2B connection noticed the connection broke last night. All networking equipment and media are functioning as expected, which leads the technician to question certain PKI components. Which of the following should the technician use to validate this assumption? (Choose two)
a. PEM
b. CER
c. SCEP
d. CRL
e. OCSP
f. PFX

Answers

Answer:

d. CRL

e. OCSP

Explanation:

Note, the term PKI stands for Public Key Infrastructure.

Among all the PKI components, the CRL (CERTIFICATE REVOCATION LISTS), which contains a list of issued certificates that were later revoked by a given Certification Authority, and the PFX format used for storing server certificates should be examined by the technician use to validate his assumption.

Write a program that takes a first name and a major as the input and outputs a message with that name and major as shown below Ex. If the input is Nithya and Art the output is Nithya 18 majoring in Art. Use the names and majors of students in your breakout room to test your code. Note that to separate the name from the major as part of the input, you need to place these inputs on separate lines. For the example above, we would provide the input as follows: Nithya Art Hint If you directly add the names and majors inside the print statement, then the code would not work correctly since it is relying on the contents of the provided variables. You need to use these variables inside your print statement, so that regardless of the provided input, the output will always use those values and be as expected Hint. If your code does not pass the tests, make sure you do not have an extra space in your output. Remember. Python automatically adda a blank space between expressions separated by a comma LAD ACTIVITY 1161 LAB: Breakout Room Activity 0/15 main.py Load default template 1 username input() 2 najor - input() 5 6 7. the comments below, listing the names and majors of the students who were in the breakout room with you 9.1. May Finance 10. 2. Ronnte Econ 11.). Preston Accounting

Answers

Answer:

The program in Python is as follows:

name = input("Name: ")

major = input("Major: ")

print(name+" is majoring in "+major)

Explanation:

This line prompt user for username

name = input("Name: ")

This line prompt user for major

major = input("Major: ")

This line prints the name and major of the user

print(name+" is majoring in "+major)

in java please
In this exercise, you will need to create a static method called findString in the MatchingString class that should iterate over String[] arr looking for the exact match of the String that is passed as a parameter.

Return the index of the array where the String is found; if it does not exist in the array, return -1.

For example, if the word “Karel” is passed in, your method would return 1.

Answers

Answer:

Explanation:

The following code is written in Java. It is a static method that takes in a String parameter and loops through the String array called arr comparing each element in the array with the word parameter that was passed. If it finds a match the method returns the index of that word, otherwise it will return -1

  public static int findString(String word){

               int index = -1;

               for (int x = 0; x < arr.length; x++) {

                       if (word == arr[x]) {

                               index = x;

                               break;

                       }

               }

               

               return index;

               

       }

Select all correct answers. Technology helps:

A) make things cooler

B) make Things easier

C) make things faster

D) solve Problems

Answers

Answer:

a,b,c,d

Explanation:

it helps with all of those things

Answer:

D. Solve Problems

Explanation:

Technology has played a crucial role in keeping so many people alive through life support machines and other specialized health equipment. Technology also aids in the scientific research of new medicines and cures that are beneficial to the entire human race. Business and Commerce. Business is not as usual since the internet came into this world.

Any1??
Write the names of atleast 22 high-level programming languages

Answers

Answer:

1 Array languages

2 Assembly languages

3 Authoring languages

4 Constraint programming languages

5 Command line interface languages

6 Compiled languages

7 Concurrent languages

8 Curly-bracket languages

9 Dataflow languages

10 Data-oriented languages

11 Decision table languages

12 Declarative languages

13 Embeddable languages

13.1 In source code

13.1.1 Server side

13.1.2 Client side

13.2 In object code

14 Educational languages

15 Esoteric languages

16 Extension languages

17 Fourth-generation languages

18 Functional languages

18.1 Pure

18.2 Impure

19 Hardware description languages

19.1 HDLs for analog circuit design

19.2 HDLs for digital circuit design

20 Imperative languages

21 Interactive mode languages

22 Interpreted languages

23 Iterative languages

Explanation:

Assuming dataFile is an ofstream object associated with a disk file named payroll.dat, which of the following statements would write the value of the salary variable to the file
A) cout < B) ofstream C) dataFile << salary;
D) payroll.dat <

Answers

Answer:

dataFile << salary;

Explanation:

To write salary to a file (payroll.dat) using ofstream, you make use of the following instruction:

ofstream dataFile;

myfile.open ("payroll.dat");

myfile <<salary;

myfile.close();

This line creates an instance of ofstream

ofstream dataFile;

This line opens the file payroll.dat

myfile.open ("payroll.dat");

This is where the exact instruction in the question is done. This writes the value of salary to payroll.dat

myfile <<salary;

This closes the opened file

myfile.close();

Lesson 3 - Calling All Operators
Exit
37 of 42
Test
Reset
order
75
do
create variable amount ToCoupon
75 +
order
print
"To receive a coupon, you will need to spend $ >
amount ToCoupon
print
Code
Check the customer's order amount. If it is less than $75, determine how much more
needs to be spent to reach $75 and give the customer that information.
< PREV

Answers

Answer:

.m

Explanation:

State what’s printed for each println in the code below:

public static void main(String args[ ])

{

MyClass theObj = new MyClass( );
theObj.gravy = 107.43;
String s = "hello";
int xray[] = {1, 2, 3, 4, 5};
double floozy = 97.4;
myMethod(floozy, theObj, xray, s );
System.out.println(floozy); // Problem 1:
System.out.println(theObj.gravy); //Problem 2:
System.out.println(xray[2]); //Problem 3:
System.out.println(s); //Problem 4:
}
public static void myMethod(double floozy, MyClass anObj, int a[ ], String s)
{
floozy = 13.1;
anObj.gravy = 10.001;
a[2] = 100; s = "good bye";
}

Answers

Answer:

Explanation:

Each of the following println statements will print the following values

ystem.out.println(floozy); // Problem 1:   97.4

System.out.println(theObj.gravy); //Problem 2:  107.43

System.out.println(xray[2]); //Problem 3:  100

System.out.println(s); //Problem 4: Hello

This is because out of all of the variables that the myMethod gives a value to, the only variable that is being saved back to the global variable in the main method is a[2]. The other variables are being saved as instance variables and not being returned. Therefore, when the println statements are called they target the local variables in the main method.

Difference between analog and digital computer ??

Answers

Answer:

The analogue computer works on a continuous signal. The digital computer works on a discrete signal. The output is a voltage signal, they are not exact values and are in graphical form.

Other Questions
Accrual income versus cash flow for a period. Thomas Book Sales, Inc., supplies textbooks to college and university bookstores. The books are shipped with a proviso that they must be paid for within 30 days but can be returned for a full refund credit within 90 days. In 2018, Thomas shipped and billed book titles totaling $720,000. Collections, net of return credits, during the year totaled $651,637. The company spent $285,058 acquiring the books that it shipped. a. Using accrual accounting and the preceding values, show the firm's net profit for the past year. b. Using cash accounting and the preceding values, show the firm's net cash flow for the past year. C. Which of these statements is more useful to the financial manager? Why? a. Using accrual accounting and the preceding values, show the firm's net profit for the past year in the following table. (Round to the nearest dollar.) Accounting View (accrual basis) Thomas Book Sales, Inc. Income Statement for the Year Ended 12/31 Sales revenue Less: Costs Net profit ai at b. Usina cash accounting and the precedina values. show the firm's net cash flow for the past vear in the followina table. (Round to the nearest dollar.) ce Click to select your answer(s). Tools > ere to search Chapter- Third Person Eddie Meets in HeavenQuestionsRuby is Eddies third person. Where does she choose for her heaven to be and why?How is Ruby connected to Eddie if she never met him in life? There are at least two ways.How does Eddies father die?How does Eddie end up working at Ruby Pier? Be specific about the process. Ocean water freezes at about -2 1/2 so silly fresh water freezes at zero anti-freeze a liquid used in radiators of cars freeze at -64 imagine if the temperature has dropped to the freezing point for ocean water how many degrees more most the temperature Drop for the anti-freeze to turn solid Bradley has ordered a steak from the meat market that weighs 1 5/8 pounds. There is a bone in the steak that weighs 7/8 of a pound. How much does the meat weigh? In the current year, Wilson Enterprises, a calendar year taxpayer, suffers a casualty loss of $90,000. The casualty was attributable to a Federally declared disaster. How much of the casualty loss will be deductible by Wilson under the following circumstances?Required:a. Wilson is an individual proprietor and has AGI of $225,000. The casualty loss was a personal loss, and the insurance recovered was $50,000 before any limitations. Wilson can claim a casualty loss as an itemized deduction of $_________ b. Assume Wilson is a C corporation, and the insurance recovered was $50,000 before any limitations Wilson can deduct $________ Theme constitutional monarchyDiscuss the pros and cons of having a monarchy in contract to being a republic?Give me at least 4 pros and cons!(I will give the "brainliest" to the best answer!) Find the difference (15q)+2(2.5q+8) The Underground Railroad was a secret system that was run byenslaved workers in fields and in cities.plantation owners and overseers in the South.maroon communities living in the wilderness.free African Americans and abolitionists in the North. Practice 10Rewrite the sentences below with not. 1 The men build a bridge. ..2 The mechanic is repairing a bus. ..3 The firemen saved the little girl last month. ..4 The students are eating in the canteen. ..5 The girl drinks the orange juice. ..6 The boys are playing football on the field. ..7 My parents watched a movie in the living room last week. ..8 The old man was watering plants in the garden in the evening yesterday. ..9 The boys bully Peter. ..10 Some dogs were barking loudly in the park at night a few days ago. ..11 The policeman was patrolling the neighbourhood last night. ..12 My mother bought a mug last night. ..13 Jenny wore a blue dress this morning. ..14 The man drives a bus. .. how do you say "i feel happy" in Spanish WILL GIVE BRAINLIEST I remember well the remark made to me once by one of my teachersand a very good teacher, too, who nevertheless did not see what her own observation ought to have suggested. School-children, she said, regard teachers as their natural enemies. The thought which it would have been logical to suppose would have followed this observation is, that if children in general are possessed of that notion, it is because there is a great deal in the teachers treatment of them which runs counter to the childs nature: that possibly this is so, not because of natural cussedness on the part of the child, but because of inapplicability of the knowledge taught, or the manner of teaching it, or both, to the mental and physical needs of the child. I am quite sure no such thought entered my teachers mind,at least regarding the system of knowledge to be imposed; being a sensible woman, she perhaps occasionally admitted to herself that she might make mistakes in applying the rules, but that the body of knowledge to be taught was indispensable, and must somehow be injected into childrens heads, under threat of punishment, if necessary, I am sure she never questioned. It did not occur to her any more than to most teachers, that the first business of an educator should be to find out what are the needs, aptitudes, and tendencies of children, before he or she attempts to outline a body of knowledge to be taught, or rules for teaching it. It does not occur to them that the childs question, What do I have to learn that for? is a perfectly legitimate question; and if the teacher cannot answer it to the childs satisfaction, something is wrong either with the thing taught, or with the teaching; either the thing taught is out of rapport with the childs age, or his natural tendencies, or his condition of development; or the method by which it is taught repels him, disgusts him, or at best fails to interest him.When a child says, I dont see why I have to know that; I cant remember it anyway, he is voicing a very reasonable protest. Of course, there are plenty of instances of wilful shirking, where a little effort can overcome the slackness of memory; but every teacher who is honest enough to reckon with himself knows he cannot give a sensible reason why things are to be taught which have so little to do with the childs life that to-morrow, or the day after examination, they will be forgotten; things which he himself could not remember were he not repeating them year in and year out, as a matter of his trade. And every teacher who has thought at all for himself about the essential nature of the young humanity he is dealing with, knows that six hours of daily herding and in-penning of young, active bodies and limbs, accompanied by the additional injunction that no feet are to be shuffled, no whispers exchanged, and no paper wads thrown, is a frightful violation of all the laws of young life. Any gardener who should attempt to raise healthy, beautiful, and fruitful plants by outraging all those plants instinctive wants and searchings, would meet as his rewardsickly plants, ugly plants, sterile plants, dead plants. He will not do it; he will watch very carefully to see whether they like much sunlight, or considerable shade, whether they thrive on much water or get drowned in it, whether they like sandy soil, or fat mucky soil; the plant itself will indicate to him when he is doing the right thing. And every gardener will watch for indications with great anxiety. If he finds the plant revolts against his experiments, he will desist at once, and try something else; if he finds it thrives, he will emphasize the particular treatment so long as it seems beneficial. But what he will surely not do, will be to prepare a certain area of ground all just alike, with equal chances of sun and amount of moisture in every part, and then plant everything together without discrimination,mighty close together!saying beforehand, If plants dont want to thrive on this, they ought to want to; and if they are stubborn about it, they must be made to.In the second sentence of the second paragraph, the repetition of the word things primarily serves toqualify a claim by acknowledging an exception to itAportray contrasting viewpoints as equally legitimateBclarify an argument by restating it in simpler termsCillustrate a generalization with a particular caseDstrengthen an assertion by broadening its implicationsE A protein molecule in an electrophoresis gel has a negative charge. The exact charge depends on the pHpH of the solution, but 30 excess electrons is typical. What is the magnitude of the electric forceon a protein with this charge in a 1500 N/C electric field? What ideas are contained in the Bill of Rights? Poverty rates for African-American children are I need help with All Please and thank you What is the solution to the equation 3x+2--x-5?0 X=-Bx=-7OX= 7O X=8 x32=10 help plz i need help 3. Find the slope and y-intercept of the graph of the following equation.2y + 4 = -6x Shan exercises daily. Today he did 85 pushups, which is 20 more than he usually does. How many pushups p does Shan usually do? Write an equation to represent this situation, and then solve the problem.[equation] Shan does [ ] pushups The interest rate will increase as a result of:Select one:a. decrease in minimum lending rateb. a reduction in incomec. an open market purchase of bonds by the central bankd. Increase in tax rate= decrease in minimum lending rate