Write a conditional expression that assign the value 0 to a credits variable if it is less than 0; otherwise the value of the credits variable remains unchanged.

Answers

Answer 1

Answer:

credits = (credits < 0) ? 0 : credits;

Explanation:

This is the ternary conditional operator.

Answer 2

Answer:

void updateCredit(float credit){

if credit < 0.0

credit = 0.0;

}

Explanation:

I am going to write a C function for this.

The input is your credit value, and it has just a conditional to verify if it is not negative.

void updateCredit(float credit){

if credit < 0.0

credit = 0.0;

}


Related Questions

.Compositionally designed systems have the followingcharacteristics except:
A.dynamic definition B.classes built from componentclasses C.encapsulation D.white-box reuse

Answers

Answer: C) encapsulation

Explanation:

 As, encapsulation is the process by which the data is included from the protocol of the upper layer into lower layer of the protocol in the computer networking. Basically, in the networking it is the method of abstraction, as it allowed different functions by adding different layer. In encapsulation, the IP encapsulated packet are sent over the data link layers protocol for example ethernet.

A painting company has determined that for every 115 square feet or wall space, one gallon of paint and eight hours of labor will be required. The company charges $.18.00 per hour for labor . Write a program that allows the user to enter the number of rooms to be painted and the price of the paint per gallon. It should also ask for the square feet of wall space in each room. The program should have methods that return the following:
* The number of gallons of paint required
* The hours of labor required
*The cost of the paint
*The labor charges
*The Total cost of the paint job

Answers

The program to calculate the total paint cost and other values is given below.

#include <iostream>

using namespace std;

int main() {  

 int rooms, laborChrg = 18;

 float paintChrg;

 float feetPerRoom[rooms];  

 float paintReq, laborHrs, paintCost, laborCost, totalCost, totalsqft=0;  

 cout<<"Enter the number of rooms to be painted "<<endl;

 cin>>rooms;  

 for(int i=0; i <= rooms; i++)

 {

 cout<<"Enter the square feet in room "<<endl;

 cin>>feetPerRoom[i];  

 // shortcut operator which is equivalent to totalsqft = totalsqft +     feetPerRoom[i];

 totalsqft += feetPerRoom[i];

 }  

 cout<<"Enter the cost of the paint per gallon "<<endl;

 cin>>paintChrg;  

 laborHrs = (totalsqft/115)*8;

 laborCost = laborHrs * laborChrg;  

 paintReq = totalsqft/115;

 paintCost = paintReq * paintChrg;  

 totalCost = laborCost + paintCost;  

 cout<<"The number of gallons of paint required "<<paintReq<<endl;

 cout<<"The hours of labor required "<<laborHrs<<endl;

 cout<<"The cost of the paint is "<<paintCost<<endl;

 cout<<"The labor charges are "<<laborHrs<<endl;

 cout<<"The Total cost of the paint job is "<<totalCost<<endl;  

 return 0;

}

Explanation:

The header files for input and output are imported.

#include <iostream>

using namespace std;

All the variables are taken as float except labour charge per hour and number of rooms.

The user is asked to input the number of rooms to be painted. An array holds the square feet in each room to be painted.

cout<<"Enter the number of rooms to be painted "<<endl;

cin>>rooms;  

for(int i=0; i <= rooms; i++)

{

cout<<"Enter the square feet in room "<<endl;

cin>>feetPerRoom[i];  

totalsqft += feetPerRoom[i];

}  

The above code asks for square feet in each room and calculates the total square feet to be painted simultaneously.

All the data to be displayed is calculated based on the values of labor charge per hour and gallons of paint needed, given in the question.

laborHrs = (totalsqft/115)*8;

laborCost = laborHrs * laborChrg;

paintReq = totalsqft/115;

paintCost = paintReq * paintChrg;

totalCost = laborCost + paintCost;

All the calculated values are displayed in the mentioned order.

Specialized vocabularyis known as:

o Equivocal terms

o Jargon

o Trigger words

o Biased language

Answers

Answer:

"Jargon"

Explanation:

Great question, it is always good to ask away and get rid of any doubts that you may be having.

Specialized vocabulary is sometimes also known as "Jargon" . These are sets of words that are used specifically and uniquely for specific sets of groups or organizations.

For example Lawyers Judges and other law enforcement officials have their own Specialized vocabulary that are better understood by other people in Law enforcement, people that are not part of Law Enforcement might have a hard time understanding.

I hope this answered your question. If you have any more questions feel free to ask away at Brainly.

Assuming deq is a deque object, the expression deq.push_front(elem) deletes the first element from deq.

True

False

Answers

Answer: False

Explanation:

This code code not deletes element from deq. This insert element at the beginning of deq. if it was deq.pop_front(elem) then it would have deleted the first element.

Therefore, it is false.

If the list above is named list1 and is implemented as a list, whatstatement would you use to find the number ofelements?list1.size()list1.numElementslist1.lengthlist1.contains

Answers

Answer:

list1.size()

Explanation:

In order to find the number of elements in a List , we can use the size() method defined in the java.util.List interface.

This method returns an integer which corresponds to the number of elements in the list.

The usage syntax example is as follows:

int num = list1.size();

If the list referenced by list1 contains 6 elements, then this method will return the value 6.

Relational DBMS are unable tostore multimedia objects. Does it underestimate RDBMS importance inreal world?

Answers

Answer:

 It may underestimate the importance of RDBMS in real world as, database system for storing the multimedia object images and images,consequently the objects and operation become more complex that is why, it is degrading the performance of the application in RDBMS. It is also dependence on the structure query language as, it is comparatively simple query optimization and unable to handle complex applications.

A relational database is a combination of many relation in the form of two dimensional table of rows and the columns containing tuples. The rows are called as records and the columns are called as attributes.

True or False and WHY:
Constructors can have names different from theirclasses.

Answers

Answer:

False

Explanation:

Constructors have to have the same name as their classes for proper syntax, if their names are different it will result in an error. Methods contained within the class can/should have different names, it is allowed because methods require return types while constructors cannot have return types.

Compare and contrast the role that business users play when software is developed using Waterfall and Agile software development methodologies.

Answers

Answer: Both Agile and waterfall model are software development models to deliver a final outcome in the form of a software product. Waterfall model is sequential process with the requirements beings rigid and defined before beginning the software development.

Agile method basically  concerned with the requirements of the client. Here both testing and development is carried out at the same time.

Explanation:

More differences between the two include :

Waterfall model is easy to manage whereas in agile model as the the client requirements changes and wants more functionalities is becomes a bit more difficult to manage. the role of project manager is very crucial in waterfall model whereas the role of developers ans testers is more important in Agile model.

Mergesort uses the divide-and-conquer technique to sort a list.

True

False

Answers

Answer:

True: Merge Sort sorts a list using divide-conquer approach.

Merge_Sort(B,p,n)  //p is the starting index of array B and n is the last index.

1. if(p<n)

2.        q ← (p+n)/2    //divides the list into two sub-lists

2.        Merge_Sort(B, p, q) //sorts the left half

3.        Merge_Sort(B, q+1, n) //sorts the right half.

4.        Merge(B, p, q, n)

Merge(B, p, q, n)

1.l ← q-p+1.  //no. of elements in left half

2.m ← n-q  //no. of elements in right half.

3.for x ← 1 to l

4.      Left[x] = B[p+x -1] //The elements of left half are copied to Left array

5.for y ← 1 to m.

6.      Right[y]= B[q+y]  //The elements of right half are copied to right array

7. x ← 1, y ←1

8.for z ← p to n.

9.      if( Left[x] ≤ Right[y] ) // to merge the two lists Left and Right, the    //elements are compared.

10.     {   A[z] ← Left[x]   //smaller one comes to the merged list.

11.          x++. }

12.    else

13.      {   A[z] ← Right[y]

14.          y++ }

Explanation:

The Merge_Sort(A, p, n) algorithm first divides the whole array into two halves. Then again divides the sub-lists into it's halves and so on.

Then using merge algorithm it compares the elements of both halves one by one and keep it in sorted order.

prove that the dual of the exclusive-OR gate is also itscomplement

Answers

Answer:

Explanation:

The dual of a function means replace AND with OR and replace OR with AND.

XOR gate of A , B is

[tex]A \, XOR\, B = AB' + A'B[/tex]

So, Dual of A XOR B is ( replace AND with OR and OR with AND)

[tex]= (A+B')(A'+B)[/tex]

Complement of A XOR B is [tex](A XOR B) ' = (AB' + A'B) ' = ((A)' + (B')') ((A')' + (B)') = (A'+B)(A+B')[/tex] (In finding compliment AND becomes OR and OR becomes AND ).

By inter changing the above product of terms  

Complement of [tex]A XOR B = (A + B') (A' + B)[/tex]

So, Dual of A XOR B = Complement of A XOR B.

Write down the complete procedure for creating ExcelSheet.

Answers

Answer:

The complete procedure for creating Excel Sheet:

Excel sheets is defined as which are typically in tabs near the bottom left hand corner of the window, when a sheet gets open, it can only be viewed one at a time, however you can generated formulas and select the data from other sheets that can be used on another sheet's formula. Separated sheets are valuable for inserted separate charts and graphs, organizing the information from sheet.You are given three sheets with any new excel sheet.The default names are Sheet 1, Sheet 2, and Sheet 3 and are named on the tabs. These names can be changed accordingly by clicking on the tab name.We can also add the boundaries and label the rows.

A final class can't be extended.

*True

*False

Answers

Answer:

The answer is True.

Explanation:

The final class cannot be extended because in java final keyword means "no modification". If it is applied to a variable or anything else then that value becomes a constant after that it cannot be modified.So in cases of class if final keyword is used it means that class cannot be extended.

After you create an array variable, you still need to ____ memory space.

a.
reserve

b.
create

c.
organize

d.
dump

Answers

Answer:

Answer is (a) reserve

Explanation:

Usually when we create an array variable, in some language the memory is allocated automatically. But in some the memory is not allocated automatically. So we need to reserve the memory space for the array.

For example in C++ dynamic memory allocation we need to allocate memory using new keyword.

Trailer is only added at ___________ layer of OSI model.

a. Data link layer

b. Physical layer

c. Network layer

d. Transport layer

Answers

Answer:

a. Data link layer

Explanation:

A trailer / footer is the additional data (metadata) which is positioned at the end of the data block being stored or transferred,it  may contain information for the processing of the data block or simply placed at the end of the block.

In data transmission, the data is called the payload or body after the end of the header and before the trailer starts.

In Data link layer, it contain three parts-

Frame headerFrame dataFrame footer    

A while loop is somewhat limited, because the counter can only be incremented by one each time through the loop.



True False

Answers

Answer:

False

Explanation:

In a while loop we can increment the counter by any number that we wish. It is not that the counter can only be incremented by one each time through the loop.

Below is an example of a while loop with counter incremented by 5 each time.

int count=0;    //initialize count to 0

while(count<50){    //continue the loop till count is lesser than 50

  cout<<count;   //display the value of count

  count = count + 5;    //increment counter by 5 each time

}

Final answer:

The statement is false; a while loop can increment a counter by any amount based on the code within the loop's body.

Explanation:

The statement that a while loop is limited because the counter can only be incremented by one each time through the loop is false. In programming, a while loop can be used to increment or alter a counter variable by any amount, as dictated by the statements within the loop's body. The control of a while loop is based on a condition, and as long as the condition remains true, the loop will continue to execute.

For example:

int counter = 0;
while (counter < 10) {
   counter += 2; // Increment counter by 2
}

In this example, the counter variable starts at 0 and increases by 2 on each iteration of the loop. You can increment the counter by any number, or even apply other operations to change its value in complex ways.

Which of the following can be used to record the behavior of classes?

A) Javadoc comments

B) Nouns and verbs in the problem description

C) Polymorphism

D) UML notation

Answers

Answer:

A) Javadoc comments

Explanation:

It is used for documenting the java source code in HTML and java code documentation. The difference between multi-line comment and javadoc is that ,javadoc uses extra asterisk, For example-

/**

* This is a Javadoc

*/

It is used to record the behavior of classes.There are various tags used in this like @author,{@code},@exception and many more.

Please briefly describe your QA / testing process?

Answers

Answer: The QA/Testing process consist of the following:

1. Requirement specification

2. Reviewing the code.

3. Unit testing

4. Integration test

5. Performance testing

Explanation:

We start of by the requirement specification try to gather all the information accurately. Then begins the coding process where there is review of the code so that they perform their desired purpose. After modules are completed we perform unit testing of the different modules individually and also do the integration testing once all the modules are completed. At the end we perform the performance testing to take a note on their desired output and other quality parameters.

An interface does not have ____.

A) return types

B) instance fields

C) abstract methods

D) public methods

Answers

Answer:

B - instance fields

Explanation:

Fields/variables declared within interfaces are by default final, public or static and hence will not be considered as an instance variable/field but a class variable. Although interfaces can be used to define instance methods, they will never have instance variables.

. Where is the bootstrap program usually located?

Answers

Answer and Explanation:

The bootstarp loader is also know as bootstrapping a bootstrap loader is usually located in EPROM (erasable programmable read only memory). It is a non volatile memory. The booststrap loader is automatically exicuted by the processor when we turn on the computer.Non volatile memory is that memory in which retain their content even when the power is swithed off.

Answer: Bootstrap program is generally found in the ROM (read only memory) else EEPROM (Electrically erasable programmable read-only memory)

Explanation:Bootstrap loader or program is referred as the program that gets into action or execution when there is the rebooting process in the operating system and it initializes it. It is usually located in EEPROM of the system. After the restarting of the computer system , all the loaded data gets transferred into the RAM(Random access memory).

Which method(s) must a serializable class, implement?
? It must always implement both readObject andwriteObject

? It must implement either readObject orwriteObject, or both, depending upon the

desired behavior

? No Need to implement any methods

? None of the given option is correct

Answers

Answer: None of the given option is correct

Explanation:

A serializable class is implemented, when an object is serializable interface. If you want to serialize one of your classes, then the class must implemented in the Serializable interface. To implement the serializable interface, convert a class into the series of bytes and when serializable object might reference your class. Serializable classes are useful when you wanted to persist cases of the class or send them over wire.

Memory cache is referred to as ______. A. SRAM c. SROM b. DRAM d. DROM

Answers

Answer:

Answer is A. SRAM

Explanation:

Memory cache is called static RAM.

____ is the encapsulation of method details within a class.

a.
Implementation hiding

b.
A calling method

c.
Instantiation

d.
An interface

Answers

Implementation hiding is the encapsulation of method details within a class. Implementation can be interpreted as those specifications which can be altered without altering the correctness of an application. Wrapping data/methods within classes (descriptions of the way all objects of this type will look/act) in combination with implementation hiding is called encapsulation. Information users need to know about behaviors should be available without dependence on implementation specifications.

Which window control button appears only when a window is maximized? ()
Maximize

Minimize

Restore

Close

Answers

Answer:

Restore

Explanation:

When the window is in minimized mode we get minimize, maximize, close buttons there.

When the window is in maximized mode we get minimize, restore, close buttons there.

Which of the following statements isNOT true about abstract data types (ADTs)?A list is anexample of an ADT.ADTs hide theimplementation details of operations from users.Java provides allthe ADTs you need, therefore you do not need to create any newones.An ADT is anabstraction of a commonly appearing data structure.

Answers

Answer:

Java provide all the ADTs you need,therefore you do not need to create any newones.

This statement is not true.

Explanation:

ADTs are those data types which we use but we didn't know their inner working that is how it is working what is happening inside.It is commonly used for Data Structures for example:- In stack we use push and pop operations to insert and to delete element from a stack respectively but we didn't know how it is happening inside.How the stack is implemented and etc.Java provides most of the ADT's but not all.

The statement that is wrong as regards abstract data types in this question is C: Java provides all the ADTs you need, therefore you do not need to create any new ones.

The abstract datatype can be regarded as special kind of datatype, whereby the behavior of the data is been defined by a set of values as well as a set of operations.

ADTs can perform operation such as hiding of  the implementation details of operations from users. It can be regarded as an abstraction of data structure that appear more often

Examples of ADT are;

StackQueueList

Therefore, option C is correct.

Learn more at:

https://brainly.com/question/23883878?referrer=searchResults

What are minimum numbers of pins required for serialcommunication? Also write

their names?

Answers

Answer:

Serial communication are connected using 2 types of connector

Explanation:

The two types of connector for serial communication are:

1. Nine pin connector.

2. Twenty five pin connector.

for 9 pin connector we have:

pin 1 = data carrier detect

pin 2= received data

pin 3= transmitted data

pin 4= data terminal ready

pin 5= signal ground

pin 6= data set ready

pin 7= request to send

pin 8= clear to send

pin 9= ring indicator

Here, the minimum number of pins can be pin 2,3 and 5 which are receive, transmit and ground signal to establish a communication without handshaking.

The minimum number of pins actually depend on the type of software we use.

What is an example of the most important role of a systems analyst in any corporation?

Answers

Answer: The system analyst is one of the most important members in any organisation. These system analyst has to analyse different data of the organisation which would help to bring out the different any new business policy changes or any kind of improvement.

Explanation:

An example to know this better would be the system analyst of a telecom company. Here the role of the system analyst would be bring out the design and implementation of new telecom information system and also should be aware of previous data of the organization. The system analyst would also be responsible to bring out the new business policies based on latest telecom standards and ensure the systems conforms to the latest standards.

Why do we need the binary system?

Answers

Answer:

We need to have binary numbers because that is how computers process data.

Explanation:

Write a for loop to print all elements in courseGrades, following each element with a space (including the last). Print forwards, then backwards. End each loop with a newline. Ex: If courseGrades = {7, 9, 11, 10}, print: 7 9 11 10 10 11 9 7

Answers

Answer:

JAVA program to display the array elements both forward and backward is given.

public class MyProgram {

   public static void main(String args[]) {    

     int len = 5;

     int[] courseGrades = new int[len];      

     courseGrades[0] = 7;

     courseGrades[1] = 10;

     courseGrades[2] = 11;

     courseGrades[3] = 9;

     courseGrades[4] = 10;      

     System.out.println("The elements of array are ");

     for(int i=0; i<len; i++)

     {

         System.out.print(courseGrades[i]+" ");

     }  

// new line is inserted    

     System.out.println();      

     System.out.println("The elements of array backwards are ");

     for(int i=len-1; i>=0; i--)

     {

       // elements of array printed backwards beginning from last element

       System.out.print(courseGrades[i]+" ");

     }

// new line is inserted    

     System.out.println();  

   }

}

OUTPUT

The elements of array are  

7 10 11 9 10  

The elements of array backwards are  

10 9 11 10 7  

 

Explanation:

This program uses for loop to display the array elements.

The length of the array is determined by an integer variable, len.

The len variable is declared and initialized to 5.

int len = 5;

The array of integers is declared and initialized as given.

int[] courseGrades = new int[len];

We take the array elements from the question and initialize them manually.

First, we print array elements in sequence using for loop.

for(int i=0; i<len; i++)

To display in sequence, we begin with first element which lies at index 0. The consecutive elements are displayed by incrementing the value of variable i.

The array element is displayed followed by space.

System.out.print(courseGrades[i]+" ");

Next, we print array elements in reverse sequence using another for loop.

for(int i=len-1; i>=0; i--)

To display in reverse sequence, the last element is displayed first. The previous elements are displayed by decrementing the value of variable i.

At the end of each for loop, new line is inserted as shown.

System.out.println();

The length and elements of the array are initialized manually and can be changed for testing the program.

Loops are used to perform operations that would be repeated in a certain number of times; in other words, loops are used to perform repetitive and iterative operations

The loop statements are as follows:

for(int i = 0; i<sizeof(courseGrades)/sizeof(courseGrades[0]);i++){

       cout<<courseGrades[i]<<" ";

   }

cout<<endl;

   for(int i=sizeof(courseGrades)/sizeof(courseGrades[0]) - 1; i >=0; i--){

       cout<<courseGrades[i]<<" ";

   }

cout<<endl;

The flow of the above loops is as follows

The first for loop prints the elements in a forward order.The second for loop prints the elements in a backward order.

Read more about loops at:

https://brainly.com/question/11857356

Write a C++ programthat reads in the side of a square and prints out a pattern on$

symbols representing thatsquare. The program should work for side sizes between

2 and 10. For example, ifa size of 4 is entered, the following output should be

produced:

$$$$

$$$$

$$$$

Answers

Answer:

#include<iostream>

using namespace std;

//main function

int main(){

   //initialize the variables

   int side;

   //print the message

   cout<<"Please enter the side of square: ";

   cin>>side;  //read the vale and store in the variable.

   // for loop

   for(int i=1;i<=side;i++){  //lop for rows

       for(int j=1;j<=side;j++){   //loop for column

           cout<<"$";  //print the '*'

       }

       cout<<endl;

   }

}

Explanation:

Create the main function and declare the variable side.

print the message on the screen for the user and then store value enter by the user on the variable side.

take the nested for loop for print the pattern.

nested for loop means, loop inside another loop it is used for print the pattern having rows and columns.

the first loop updates the row number and the second the loop print the character '$' in the column-wise.

in the code,

if i = 1, for loop check the condition 1 <= 5 if the value of side is assume 5.

condition is true and the program moves to the second for loop and starts to print the character '$' five times after that, print the new line.

then, the above process repeat for different rows and finally, we get the pattern in square shape.

What is the output of the following code segment? int n = 0; for (int k = 0; k< 2; k++) {n=n +2;} cout << n; oo 0 1 O O O

Answers

Answer:

4

Explanation:

The loop is used to execute the part of code or statement again and again until a condition is not true.

syntax of for loop:

for(initialize; condition; increment/decrement){

   statement;

}  

in the question, the value of n is zero.

then, for loop check the condition k<2, initially the value of k is zero. so, the condition is true and execute the code n = 0 +2=2

Then, k is increment by 1. so, the value of k is 1.

then, again loop run and check the condition 1<2, it true. then n = 2+2=4.

then, k is increment by 1. so, the value of k is 2.

Then, again check the condition 2<2, condition false and program terminate the loop and finally print the value 4.

Other Questions
Consider two objects on the Moon's surface that can just be resolved by one of the 10.0 m telescopes at the Keck Observatory. What is the separation of the two objects? Assume the resolving power is only limited by diffraction effects. The distance from the Earth to the Moon is 3.8 x 105km, assume the wavelength of the light is 550 nm. Know anyone who has had or does have Diabetes? What effects does/did it have on them? Find the geometric means in the following sequence.47,?,?,?,?, - 789, 929RSelect one:a. -6,580, -9,870, -13,160, -16,450b. 329, 2,303, 16,121, 112,847C. 2,303, -16,121, 112,847, -789,944d. -329, 2,303, -16,121, 112,847 Find x [Angles and Segment] An asteroid is moving along a straight line. A force acts along the displacement of the asteroid and slows it down. The asteroid has a mass of 3.5 104 kg, and the force causes its speed to change from 6600 to 5700m/s. (a) What is the work done by the force? (b) If the asteroid slows down over a distance of 1.5 106 m determine the magnitude of the force. A ray of light traveling in air is incident on the flat surface of a piece of glass at an angle of 65.9 with respect to the normal to the surface of the glass. If the ray refracted into the glass makes an angle of 34.8 with respect to the normal, what is the refractive index of the glass? Consumer surplus is A. a buyer's willingness to pay for a good plus the price of the good. B. the amount a buyer is willing to pay for a good minus the amount the buyer actually pays for it. C. the amount by which the quantity supplied of a good exceeds the quantity demanded of the good. _________________is a technology that combines data from one or more sources so it can be compared for making business decisionsA. Data architectB. Data warehouseC. Data managementD. Data architecture PLEASE HELP I PUT ALOT OF POINTS INTO THIS AND I WILL GIVE BRAINLIESTUsing the graph of f(x) and g(x), where g(x) = f(kx), determine the value of k.A.) 3B.) 1/3C.) -1/3D.) -3 The branch of psychology that studies how a person's thoughts, feelings, and behavior are influenced by the presence of other people and by the social and physical environment is called "_____ psychology." Alternative dispute resolution definition Find the value of z.A. 6B. 3C. 4D. 2 Bracken Corporation is a small wholesaler of gourmet food products. Data regarding the store's operations follow: Sales are budgeted at $360,000 for November, $380,000 for December, and $380,000 for January. Collections are expected to be 75% in the month of sale, 24% in the month following the sale, and 1% uncollectible. The cost of goods sold is 85% of sales. The company would like to maintain ending merchandise inventories equal to 75% of the next month's cost of goods sold. Payment for merchandise is made in the month following the purchase. Other monthly expenses to be paid in cash are $22,000. Monthly depreciation is $19,200. Ignore taxes. Balance Sheet October 31 Assets Cash $30,000 Accounts receivable, net of allowance for uncollectible accounts 78,000 Merchandise inventory 229,500 Property, plant and equipment, net of $606,000 accumulated depreciation 1,180,000 Total assets $1,517,500 Liabilities and Stockholders' Equity Accounts payable $302,750 Common stock 860,000 Retained earnings 354,750 Total liabilities and stockholders' equity $1,517,500 Expected cash collections in December are: From Tony's seat in the classroom, his eyes are 1.0 m above ground. On the wall 4.2 m away, he can see the top of a blackboard that is 2.1 m above ground. What is the angle of elevation, to the nearest degree, to the top of the blackboard from Tony's eyes?The answer is 27 degrees but i dont know how to get that. can someone show me the steps please. will give BRAINLIEST. Why is Churchill's speech considered historically important? A. Because it was the first speech to be broadcast by radio B. Because it outlines the horrors of Hitler's reign C. Because it was delivered during a critical time period in history D. Because it defines the responsibility of both Britain and America in the war2b2t Grace examines two different size bottles of the same laundry detergent. The price for the 100-ounce bottle is $9.99and the price for the 150-ounce bottle is $12.99. How much money will Grace save per 100 ounces of she purchased the larger bottle pH measurements of a chemical solutions have mean 6.8 with standard deviation 0.02. Assuming all pH measurements of this solution have a nearly symmetric/bell-curve distribution. Find the percent (%) of pH measurements reading below 6.74 OR above 6.76. Every year, roughly 25,000,000 kg of hair is cut in the United States. Each kilogram of hair contains about 0.0002 kg of zinc, and each kilogram of zinc is worth about $444. How many dollars worth of zinc is contained in hair cut in the United States every year? WILL GIVE BRAINLIESTRead the excerpt from Act I, scene i of Romeo and Juliet.Montague: Many a morning hath he there been seen, With tears augmenting the fresh mornings dew, Adding to clouds more clouds with his deep sighs: But all so soon as the all-cheering sun Should in the furthest east begin to draw120The shady curtains from Auroras bed, Away from light steals home my heavy son, And private in his chamber pens himself, Shuts up his windows, locks fair daylight out,And makes himself an artificial night.125Black and portentous must this humour prove Unless good counsel may the cause remove. In this excerpt, Romeos reaction to light illustrates hisA. tiring work schedule.B. budding romance.C. gloomy mood.D. religious faith. HELLP!!Drag the signs and values to the correct locations on the image. Each sign and value can be used more than once, but not all signs and values will be used.Complete the standard form of the equation of the ellipse represented by the equation 9x2 + 4y2 36x + 8y + 4 = 0.