In C please not c++ again in C please and thank you
1.)I need double value user inputs from the user, (1. how far away are they from a building and 2. the angle at which they need to see the top of the building). I then need to validate the user's input to make the user the distance entered is positive and that the angle is positive and is in between the bounds of 0-90 degrees.
2. Then in 1 separate function I need to find and calculate the height of the building plus the straight line distance from the user to the top of the building. ( please ignore the user height in all calculations)
3.) Print the results from the calculations into the main function

Answers

Answer 1

The C solution prompts the user for positive distance and angle inputs, validates them, calculates the total height of a building, and prints the result.

Here's a brief solution in C:

```c

#include <stdio.h>

#include <math.h>

double calculateHeight(double distance, double angle) {

   double radians = angle * M_PI / 180.0;

   double height = distance * tan(radians);

   return height + distance;

}

int main() {

   double distance, angle;

   do {

       printf("Enter distance (positive): ");

       scanf("%lf", &distance);

   } while (distance <= 0);

   do {

       printf("Enter angle (0-90): ");

       scanf("%lf", &angle);

   } while (angle < 0 || angle > 90);

   double totalHeight = calculateHeight(distance, angle);

   printf("Total height: %.2lf\n", totalHeight);

   return 0;

}

```

This solution defines a `calculateHeight` function that calculates the total height by converting the angle to radians, using the tangent function, and adding the distance. In the `main` function, the user is prompted to enter the distance and angle, and input validation loops ensure the inputs are valid. The `calculateHeight` function is then called, and the result is printed. The code uses the `math.h` library for the `tan` function and the constant `M_PI` to convert degrees to radians.

To learn more about tangent function click here

brainly.com/question/30162652

#SPJ11


Related Questions

Describa las características más importantes de cada procedimiento,difencias entre si Procedimiento Bessemer Procedimiento Siemens Martin Procedimiento Horno Electrico

Answers

Answer:

A continuación se explican cada una de las características más importantes de cada  horno:

Explanation:

Procedimiento Bessemer:

En este horno el oxígeno del aire quema el silicio y el manganeso que se encuentra en la masa fundida y los convierte en óxidos., luego el oxígeno comienza a oxidar el carbono.Luego finalmente el hierro se oxida,ya en este punto sin haber oxígeno ahora se añade a esa masa hierro carbono y finalmente manganeso.

Procedimiento Siemens Martin:

A 1800 º C funde la chatarra y lingotes de arrabio solidificado bajo la llama producida en la combustión; se eliminan las impurezas y se consiguen aceros de una gran calidad para fabricar piezas de maquinaria. Este tipo de horno tiene una gran uso en el mercado  ya que pueden fundir latones, bronces, aleaciones de aluminio, fundiciones y acero.

Procedimiento Horno electrico:

Trabaja a una temperatura de  1930 °C, se puede controlar eléctricamente, pueden contener hasta 270 toneladas de material fundido. También en estos hornos se inyecta oxígeno puro por medio de una lanza.

A group of programmers created a website on the Internet. Whenever any user clicked on the website address, a program that erases browsing history is launched. In this scenario, the programmers created a _____.

Answers

A group of programmers created a website on the Internet. Whenever any user clicked on the website address, a program that erases browsing history is launched. In this scenario, the programmers created a malicious website.

Malicious website: A malicious website is a website that has been created with the intention of infecting any computer that visits it. Malicious websites are usually created to steal personal information from users or to install malware on their devices, or to install software that will be used to carry out a denial of service attack.

In this particular scenario, the website's creators created a program that would erase browsing history, which can be considered harmful to users' privacy. They, therefore, developed a malicious website. Malicious websites are becoming more common as cybercriminals become more sophisticated and continue to target unsuspecting Internet users.

To know more about programmers visit:

brainly.com/question/31217497

#SPJ11

Apple computers ship their computer parts to India to be made, and station their tech support in India. This is an example of a:

Answers

Companies are known to set up different branches. This is an example of a Global assembly line.  

An assembly line is known to be a production process that breaks down the manufacture of goods into different steps that are completed in a known sequence.

These lines are often used method in the mass production of products as they reduce labor costs.

Global Assembly Line  is simply known as distributed manufacturing method that entails the product research and development in wealthy countries and assemblage in poorer countries.

Learn more from

https://brainly.com/question/2954967

Answer:

Shipping?

Explanation:

No options sooo

Do you know how to change your grades on a printer???????????

Answers

Answer:

To change ur grade make sure to do it on the website first by right clicking your mouse and clicking inspect element and once done changing x out and it will save

Explanation:

What is the MAIN purpose for including a foil in a story?

Answers

Answer: reveal information about characters and their motivations

Explanation: to show data about the person to know if the person is mean or happy small or tall and more stuff and to say if they want to save the turtles or trees

Whoever answers this question is the BRAINLIEST!!!!

Why do you think everyone needs to have a basic knowledge of information technology? In what ways has information technology grown over the past couple of years? Name one company where information technology is not necessarily the main focus and tell me a scenario where adding ANY FORM of information technology could be beneficial for that company and tell me how.

Answers

Everyone needs to have a basic knowledge of information technology because:

In the world today, it is one that helps to set up faster communication.It helps to keep  electronic storage and give protection to records. IT is said to give a system of electronic storage to give also protection to company's records. In what ways has information technology grown over the past couple of years?

Modern technology is known to be one that has paved the way for a lot of multi-functional devices such as the smart watch and the smart phone and it is one that has grown a lot into all sectors of the economy.

A company where information technology is not necessarily the main focus is the education sector.

Hence, Everyone needs to have a basic knowledge of information technology because:

In the world today, it is one that helps to set up faster communication.It helps to keep  electronic storage and give protection to records. IT is said to give a system of electronic storage to give also protection to company's records.

Learn more about information technology from

https://brainly.com/question/25110079

#SPJ1

Call your function from Example 1 three times with different kinds of arguments: a value, a variable, and an expression. Identify which kind of argument is which.

Answers

Answer:

Example 1:

def function(num):  

   print(num*2)

Example 2:

function(5)

num = 2

function(num)

function(3-1)

Explanation:

Given:

See attachment for complete question

To start with Example (1)

def function(num):  

   print(num*2)

Note that; the above code segment which doubles the parameter, num could have been any other code

In Example (1), the parameter is num

For example (2):

We can call the function using:

#1. A value:

function(5)

In #1, the argument is 5; a value

#2. A Variable

num = 2

function(num)

In #2, the argument is num; a variable

#3. An Expression

function(3-1)

In #3, the argument is 3-1; an expression

Call your function from Example 1 three times with different kinds of arguments: a value, a variable,

What is a PowerPoint template?​

Answers

Answer:

there are lots of templates

each and every one is for a special purpose

some are designed for business while some are designed for schoolwork

a PowerPoint template is just a range of templates to choose from depending on the purpose and way you are writing

Explanation:

Answer:

a special template depending on what you want to use it for

Explanation:

Define a function that generates a random vector field on the grid. This function may take as input, for instance, the size of the grid or where it is located in space. How you generate random vectors will be left up to you, but you are encouraged to make use of numpy.random functions to generate your random vectors. This function should return the vector field (as an nd.array, for instance). This function does not perform any graphing.

Answers

Here's an example of a function that generates a random vector field using numpy.random functions:

```python

import numpy as np

def generate_random_vector_field(size):

   vector_field = np.random.rand(size, size, 2)  # Generate random vectors for each point in the grid

   return vector_field

```

The function `generate_random_vector_field` takes the size of the grid as input and generates a random vector field using numpy's `random. rand` function. The size parameter determines the dimensions of the grid, assuming it is a square grid. The function creates a numpy array of shapes `(size, size, 2)` to represent the vector field. Each point in the grid is assigned a random 2D vector using the `random.rand` function, representing the x and y components of the vector. The resulting vector field is then returned as an nd.array. This function does not perform any graphing or visualization; it solely focuses on generating the random vector field.

learn more about numpy here:

https://brainly.com/question/12907977

#SPJ11

Which term describes a situation that occurs when very small amounts of alcohol intoxicates the person after continued heavy drinking

Answers

The term that describes a situation when very small amounts of alcohol intoxicate a person after continued heavy drinking is "Kindling effect."

The Kindling effect refers to a phenomenon where individuals who have a history of heavy alcohol use and withdrawal experience an increased sensitivity to alcohol. As a result, even small amounts of alcohol can lead to significant intoxication and adverse effects. This heightened sensitivity occurs due to neuroadaptations in the brain's reward and withdrawal systems caused by repeated cycles of alcohol abuse and withdrawal.

The Kindling effect can manifest as intensified withdrawal symptoms, increased risk of relapse, and heightened sensitivity to the effects of alcohol, making it more challenging for individuals with a history of heavy drinking to control their alcohol consumption.

You can learn more about Kindling effect at

https://brainly.com/question/13291749

#SPJ11

How were these isometric letters created?

How were these isometric letters created?

Answers

Answer:

Using the 3D Extrude & Bevel effect.

Explanation:

I just took the test, I got a 100.

7. Write long answer of the following questions. a. Explain the various tabs used by Microsoft Office Word 2010.
b. What is design template? How to create a template? Write with proper steps.
c. What is watermark text? What is the purpose of using it? Write proper steps to insert watermark in your document​

Answers

try searching the first few ones the answer should show up and the rest should be easy to search

Explanation:

I have no errors in the code but for some reason it doesn't work... what i'm missing?

I have no errors in the code but for some reason it doesn't work... what i'm missing?

Answers

The JavaScript code that you have written is one that tends to retrieves data from a table that is called "Busiest Airports" . The corrected code is given below.

What is the getColumn code about?

In regards to the given code that was corrected, the user input is one that can be obtained from the text input element with the use of the ID "yearInputBox" via the act of getText function as well as been saved in a variable named inputYear.

Therefore, when there is a match that is found, the output is said to be made by the use of the corresponding elements that is obtained from the year, as well as country, and that of airport arrays, and later on set to the "outputBox" element via the use of the setText function.

Learn more about code from

https://brainly.com/question/26134656

#SPJ1

See text below



1

var year getColumn("Busiest Airports", "Year");

var country = getColumn ("Busiest Airports", "Country");

var airport = getColumn("Busiest Airports", "Airport");

onEvent("goButton", "click", function() {

/*call the "calculateOutput" function here,

*passing in the user input as a paremeter 10 */

calculateOutput (getText("year InputBox"));

function calculateOutput (years){

var output="";

for (var i = 0; i < year.length; i++) { /*write the list element being accessed*/ if (years[i] == "inputYear"){ output "In "

=

+ year + "the busiest airport was

11

+ country + "

in "airport[i];

21

}

}

setText("outputBox", output );

}

I have no errors in the code but for some reason it doesn't work... what i'm missing?

Write a C++ program to manage a single day agenda using the Appointment class from project 7. Appointments for the day are stored in a file called "agenda.txt". The appointment data is stored in the file using the following format: "title year month day time (standard) | duration" Example: " Meeting with Bob | 2019 14 29 18:30 am 115 " The file might contain empty lines or no lines at all (no appointments). See the supplied sample file in the assignment's repository. Write a C++ program that uses the Appointment class to manage the daily calendar. Your program should start by reading all the appointments from the data file and process command line arguments as follows: ./a.out -ps o Print my daily schedule in order by starting time using standard time format. The appointments must be displayed in a table format with proper labels. ./a.out -p "time" o Print all appointments at specified military time. . ./a.out -a "Appointment data" o Add an appointment given in the format: "titlel year |month day time duration". Time is given in standard time and duration is given in minutes. Leading and trailing spaces must be removed. Example: " Meeting with Bob | 2019 4 129 18:30 am 15" ./a.out -dt "title" o Delete all appointments that match a title exactly. It should work for both upper- and lower-case characters with leading and trailing spaces removed. . ./a.out -dm "time" o Delete a all appointments that match the starting military time exactly. If the daily calendar data is updated (add, delete) then all the data must be stored back in the same data file using the same format. You should be able to run the program again and see the changes reflected in the new daily agenda.

Answers

To manage a single day agenda using the Appointment class from project 7, you will need to write a C++ program that reads appointment data from a file called "agenda.txt". The appointment data is stored in the file using the following format: "title year month day time (standard) | duration".

The program should be able to process command line arguments and perform the following actions:

1. Print the daily schedule in order by starting time using standard time format: To do this, you can use the "-ps" option. The appointments must be displayed in a table format with proper labels.

2. Print all appointments at specified military time: To do this, you can use the "-p" option followed by the specified military time.

3. Add an appointment: To do this, you can use the "-a" option followed by the appointment data in the specified format: "title year |month day time duration".

4. Delete all appointments that match a title exactly: To do this, you can use the "-dt" option followed by the exact title.

5. Delete all appointments that match the starting military time exactly: To do this, you can use the "-dm" option followed by the starting military time.

After performing the necessary action, the program must store the updated data back to the same "agenda.txt" file using the same format. This will ensure that the changes are reflected in the new daily agenda even if the program is run again.

To accomplish this, you can create an object of the Appointment class and use its member functions to perform the necessary operations. For example, to add an appointment, you can use the addAppointment() function of the Appointment class. Similarly, to delete an appointment, you can use the deleteAppointment() function.

Overall, by using the Appointment class and implementing the necessary functionalities, you can create a C++ program to manage a single day agenda.


Remember to handle file input/output, string manipulation, and time conversion properly to achieve the desired functionality.

To know about C++ program visit:

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

#SPJ11

Discussion Board Week 5 Epilepsy Foundation Professional site 3 points at This week we will discuss varied topics related to epilepsy. Go to website below and research one of the numerous topics available. Chose a topic to research in the search box, or in the learn tab. Topics about epilepsy include but are not limited to: sexuality, driving issues, management of prolonged seizures in children, seizure triggers, refractory epilepsy, parenting issues, genetic issues, seizure action plans, medication side effects, monotherapy and polytherapy and many more. In your post incorporate pharmacological considerations for seizure meds related to your topic. Give it a title that will describe your posting. Post your topic and respond to 2 others. Postings should be 100-200 words. Reference cited in APA format at the end of your post. Replies 50 words or more. https://www.epilepsy.com/learn/information-professionals e

Answers

The assignment requires you to visit the Epilepsy Foundation Professional site and research a topic related to epilepsy. You can choose from various topics such as sexuality, driving issues, management of prolonged seizures in children, seizure triggers, refractory epilepsy, parenting issues, genetic issues, seizure action plans, medication side effects, monotherapy and polytherapy, and many more.

To complete the assignment, follow these steps:

1. Go to the website provided: https://www.epilepsy.com/learn/information-professionals.
2. Explore the different topics available and select one that interests you or aligns with your research focus.
3. Use the search box or the learn tab to find information on your chosen topic.
4. Incorporate pharmacological considerations for seizure medications related to your topic. This means discussing how medications are used to manage seizures in relation to the specific topic you selected.
5. Give your post a title that accurately describes the content you will be discussing.
6. Write a post of 100-200 words, providing a detailed explanation of your chosen topic, including the pharmacological considerations.
7. Make sure to cite your references in APA format at the end of your post.
8. Lastly, respond to two other posts from your classmates, making sure your replies are at least 50 words long.

Remember to provide accurate and well-researched information in your post, and support your statements with credible sources.

To know more about Epilepsy visit :-  

https://brainly.com/question/31827927

#SPJ11

what are some similarity's between NES console and consoles today

Answers

Answer:

what he said

Explanation:

Answer:

bro my question got deleted for no reason

Explanation:

When would you use an omnidirectional microphone?


when there are three or more actors in a scene

when it is a windy day and you want to reduce the sound of the wind in the recording

when you want to get outdoor sounds that relate to an outdoor scene in a film

when you want to record in surround sound

Answers

Answer:

when it is a windy day and you want to reduce the sound of the wind in the recording

write a detail note on problem state ment​

Answers

Answer:

where is the statement??

Explanation:

why is what you say in business as important as how you say it

Answers

Answer:

Because the things you say and how you say it can determine whether or not you sell an item, make a deal with another company and things of that nature.  Hope this helps!!

Because you have to be taken serious in business so that’s how it’s different

Select the uses of an IOP chart.L1 cacheLists the inputs that you haveCompilerBoolean logicThe output requirements that are knownJavaHard driveUses pseudo code

Answers

The uses of an IOP (Input-Output Processing) chart include listing the inputs that you have, defining the output requirements, and using pseudo code.

An IOP chart, also known as an IPO (Input-Processing-Output) chart, is a graphical representation that helps in understanding the flow of data and processing within a system. It specifies the inputs, processing steps, and outputs of a system or program.

1. Listing the inputs that you have: An IOP chart allows you to identify and document the inputs required for a particular process or program. This helps in understanding the data that needs to be provided to the system.

2. Defining the output requirements: An IOP chart helps in specifying the desired outputs or results that should be generated by the system or program. It clarifies the expected outcomes and guides the development process.

3. Using pseudo code: Pseudo code is a simplified, human-readable representation of code. An IOP chart can be used to incorporate pseudo code to illustrate the logical steps and algorithmic approach to processing the inputs and generating the desired outputs.

Overall, an IOP chart is a valuable tool for planning and designing systems by clearly defining the inputs, outputs, and processing steps involved. It facilitates communication and understanding among stakeholders and developers, ensuring the development of effective and efficient systems.

learn more about pseudo code here:

https://brainly.com/question/30388235

#SPJ11

music sites through schools wifi 2020 What is one thing a person should do to stay safe when exercising? 100 pts.!

Answers

Answer:

They should stay away from others (keep workout short or at home)

always do The exercise right-properly

Explanation:

Answer:

they should stay at home and do workouts or they can start a fitness program in a safe area.

Which term refers the process of giving keys to a third party so that they can decrypt and read sensitive information if the need arises?

Answers

The term that refers to the process of giving keys to a third party so that they can decrypt and read sensitive information if the need arises is called "key escrow." In this process, the keys used for encryption are entrusted to a third party, such as a trusted authority or organization, for safekeeping.

1. Encryption: Sensitive information is encrypted using a specific encryption algorithm and a unique encryption key.
2. Key Escrow: The encryption key is securely stored with a trusted third party, known as the escrow agent.
3. Access Request: If there is a need to decrypt and read the sensitive information, the authorized party can request access from the escrow agent.
4. Key Release: Upon verifying the identity and authority of the requester, the escrow agent releases the encryption key.
5. Decryption: The authorized party can now use the encryption key to decrypt the information and access its contents.

Key escrow is commonly used in scenarios where access to sensitive information may be necessary in certain circumstances, such as law enforcement investigations or emergency situations. It provides a way to balance the need for privacy and security with the requirement for lawful access to encrypted data.

In conclusion, key escrow is the process of entrusting encryption keys to a third party for the purpose of decrypting sensitive information if needed.

Learn more about key escrow: https://brainly.com/question/33480153

#SPJ11

8. It is a computer component that converts AC power to DC power to be used
by the computer system.

Answers

Answer:

power supply unit.

A power supply unit (PSU) converts mains AC to low-voltage regulated DC power for the internal components of a computer. Modern personal computers universally use switched-mode power supplies.

Explanation:

I HOPE THIS HELPS

PLZ MARK ME AS BRAINLIEST

THANK U!

what is the version number for mysql returned from port 3306

Answers

Answer:

For MySQL, the default port is 3306, which means if you have installed MySQL externally, it will listen to the 3306 port. But when it gets installed with the WAMP package, it is now 3308 in a new version of WAMP because, from the latest version of the WAMP server (3.2.

Before she applies for an internship with a local engineering company, what type of letter might zaynab ask one of her teachers to write for her? question 3 options: resignation letter complaint letter thank-you letter recommendation letter

Answers

An internship is a period of supervised work experience offered by an employer to a student or recent graduate in a specific field of study.

Zaynab may request a recommendation letter from one of her teachers to strengthen her internship application to a local engineering company. A recommendation letter is a formal document that assesses Zaynab's abilities, academic achievements, skills, and personal qualities. It also endorses her as a candidate for the position she is applying for. This letter provides the employer with an understanding of Zaynab's qualities and how she can contribute to the company. It can also add weight to Zaynab's application, as a recommendation letter from a credible source can increase the likelihood of her being selected for the position. A well-written recommendation letter may provide Zaynab with an advantage over other applicants, as it highlights her potential and vouches for her suitability for the role.

To learn more about internship visit;

https://brainly.com/question/27290320

#SPJ4

From Design view, modify the field properties to display the message Asset accounts must be in the 1000s when the field validation rule is violated.

Answers

The Property Sheet button is located in the Show/Hide group on the Design tab. To validate text, choose it. Type "Asset accounts must be in the 1000s" in the Property Sheet dialogue box, then hit Enter.

What is a design view example?Design perspective A more thorough perspective of the form's structure is provided by design view.The sections of the form that are Header, Detail, and Footer are visible. design perspective A more thorough perspective of the form's structure is provided by design view.The sections of the form that are Header, Detail, and Footer are visible. Making design adjustments is not possible while seeing the underlying data, however there are some tasks that are simpler to complete in Design view than in Layout view.Design views include, for instance, decomposition descriptions. By employing the design concepts "system," "sub-system," "module," and "routine," the decomposition description in Figure 2 expresses the design in terms of a hierarchy.

To learn more about Design view, refer to:

https://brainly.com/question/29675414

To modify the field properties to display the message "Asset accounts must be in the 1000s" when the field validation rule is violated, follow these steps:

1. Open the database in Microsoft Access and go to the Design view of the table that contains the field you want to modify.

2. Select the field you want to modify and right-click on it. From the drop-down menu, select "Properties" to open the Property Sheet.

3. In the Property Sheet, select the "Validation Rule" property and enter the following rule:

   Like "1000*"

This rule specifies that the field value must begin with "1000" and can have any number of characters following it.

4. Next, select the "Validation Text" property and enter the message you want to display when the validation rule is violated. In this case, enter "Asset accounts must be in the 1000s".

5. Save the changes to the table and close the Design view.

Now, whenever someone tries to enter a value in the field that does not begin with "1000", they will see the message "Asset accounts must be in the 1000s" and the value will not be accepted. This will help ensure that all asset accounts in the table are properly classified and organized according to their category.

Learn more about database here:

https://brainly.com/question/30634903

#SPJ11

What is the difference between an embedded image and an attached image? An embedded image is displayed as an image in the body of an email, but an attached image is not. An embedded image is displayed as a paper clip in the content of an email, but an attached image is not. An attached image takes on a larger file size due to the extra data required to create the attachment. An attached image is a smaller file size due to the compression that takes place during the attachment process.

Answers

Answer:

An embedded image is displayed as an image in the body of an email, but an attached image is not.

Explanation:

This is the answer.

Answer:

it is a

Explanation:

Which function will find the difference of 15 and 3 and return 12 when the main part of your program has the following line of code?

answer = subtract(15,3)

def Subtract(numA, numB):
return numA - numB

def Subtract(numA, numB):
return numB - numA

def subtract(numA, numB):
return numA - numB

def subtract(numA, numB):
return numB - numA

Answers

Answer:def subtract(numA, numB):

   return numA - numB

Explanation:

i got the right answer but i was willing to get it wrong for the right anwser for you

The function that will find an accurate difference of 15 and 3 and return 12 when the main part of your program has the following line of code is as follows:

def subtract(numA, numB):

       return numA - numB

Thus, the correct option for this question is C.

What is the significance of the output of the program?

The significance of the output of the program is understood by the fact that it delivers some values or concepts to the user with respect to the instruction he/she is given to the computer for processing. The output of the program is very specific in nature.

According to the question, you have to assume the value of number A as 15 and number B as 3. So, when you find the difference between these numbers, you get an output of 12.

You must follow the process as follows while framing a program:

def subtract(numA, numB):

         return numA - numB

Therefore, the correct option for this question is C.

To learn more about Output of a program, refer to the link:

https://brainly.com/question/18079696

#SPJ2

A CD and a DVD are both secondary storage devices, explain to a friend the difference between both​

Answers

Answer:

i dont have any friends to explain it to

Explanation:

how and why Steve Jobs left Apple Computer.

Answers

Answer:

Jobs was forced out of Apple in 1985 after a long power struggle with the company's board and its then-CEO John Sculley. ... He was largely responsible for helping revive Apple, which had been on the verge of bankruptcy.

Explanation:

Other Questions
Petrified wood is a beautiful material that forms over thousands of years. It occurs when forests get covered in rock and sediment. Which statement is true?1. It is a mineral now that the Earth has changed it2. It is not a mineral because the material was organic3. It is a mineral as long as it displays the crystal structure4. It is not a mineral because it has a definite composition A 16,000 cubic inch refrigerator has a square base. The refrigerator is 40 inches tall. Determine the area of the base of the refrigerator. Species richness- The number of different species in an area.The higher the number of species, the higher the speciesevennessSpecies evenness- The abundance of each species in an area. Themore simThis table includes the relative counts of species {A} through {F} in three communities Each community received equal effort in sampling. The total number encountered, the di Rainforests are not found in _______.a.Alaskab.Greenlandc.Australiad.Africa Discuss the difference between the Discrete and Full-WaveformLiDAR. Find the mean and the mean absolute deviation of each data set Find the lengths of UV and ST and determine whether they are congruent.Hint: Congruent line segments have the same length. Help me quickly just give the answer What are the things you do that display your intellect as a human being? example essay discuss an accomplishment, event, or realization that sparked a period of personal growth and a new understanding of yourself or others. hello please help ill give brainliest During a sale of computers, one-fourth ofthe inventory was sold the first day. The nextday two-thirds of the remaining inventory wassold. What percent of the total inventory wassold during the second day? What is the graph description for y=-10x Which SMART component is the following goal missing?'The goal of Mountain Bike Co. is to achieve a higher return on investment (ROI) compared to its industry peers in the next two years.'A) RealisticB) MeasurableC) SpecificD) TimelyE) Achievable Which of the following equations are true? Select all that apply. A. 24 . 8 10 2 = 0 . 248 B. 34 . 65 1 , 000 = 0 . 3465 C. 193 . 5 10 0 = 193 . 5 D. 6 . 24 10 = 62 . 4 E. 160 . 4 10 2 = 0 . 1604 What is the Array.prototype.reduceRight( callback(accumulator, currentValue, currentIndex, array), initialValue ) syntax used in JavaScript? The judges themselves said it was the worst performance they had ever seen. read the sentence. why does the author use the word ""themselves"" in this sentence? For the following exercises, write the equation of the tangent line in Cartesian coordinates for the given parameter tx=et ,y=(t-1)2 ,at(1,1) Write sentences using the information provided. Then turn each statement into a question. Make any necessary changes and write the numbers as words.ModeloT / trabajar / 40 horas / cada semanaExample answerT trabajas cuarenta horas cada semana.Example answerTrabajas t cuarenta horas cada semana?clase de contabilidad / ser / 11:45 a.m.-----------------------------------------------------------------------clase de contabilidad / ser / 11:45 a.m.su ta / favorito / tener / 35 aostu profesor / biologa / ser / Mxicobiblioteca / estar / cerca / residencia estudiantilI've done good with the other lessons but seriously can't figure this one out :( pls help 3. What part of the U.S. Constitution is similar to the first article of Floridas Constitution which lists the rights guaranteed to citizens?